text
stringlengths 29
850k
|
---|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#...the usual suspects.
import os, inspect
#...for the unit testing.
import unittest
#...for the logging.
import logging as lg
#...for the pixel wrapper class.
from pixel import Pixel
class PixelTest(unittest.TestCase):
def setUp(self):
pass
def tearDown(self):
pass
def test_create_pixel(self):
p = Pixel(100, 200, 1234, -1, 256, 256)
# The tests
#-----------
self.assertEqual(p.get_x(), 100)
self.assertEqual(p.get_y(), 200)
self.assertEqual(p.getX(), 51300)
self.assertEqual(p.getC(), 1234)
self.assertEqual(p.get_mask(), -1)
self.assertEqual(p.get_neighbours(), {})
self.assertEqual(p.pixel_entry(), "{\"x\":100, \"y\":200, \"c\":1234},\n")
if __name__ == "__main__":
lg.basicConfig(filename='log_test_pixel.txt', filemode='w', level=lg.DEBUG)
lg.info("")
lg.info("===============================================")
lg.info(" Logger output from cernatschool/test_pixel.py ")
lg.info("===============================================")
lg.info("")
unittest.main()
|
PHARMACEUTICAL MEDICAL REFRIGERATOR PHARMACEUTICAL MEDICAL REFRIGERATOR Accurate an more..
Table Shape Refrigerators These Table Shape Refrigerators are made from very high quality raw more..
2 DOOR REFRIGERATOR The 2 Door Refrigerator designed and manufactured by our team of experts more..
Refrigerators Our Company are offering our client an excellent quality range of Refrigerators more..
REFRIGERATOR AIR DRYER REQUIRES MINIMAL SPACE MAX 45 DEGREE C TO 3 DEGREE C DES more..
Refrigerator Repairing Our Company are offering to our valued customers a supreme quality ran more..
Truck Refrigerator Reefer Van Vehicle Engine drive Truck and Van Refrigerator - Our Compa more..
Refrigerator Wire On Tube Condenser Specifications 1 Raw material A Rolling welded st more..
Blood Bank Refrigerators solutions offered are designed to match up with the challenging requirements of modern day bloo more..
|
# -*- coding: utf-8 -*-
from south.utils import datetime_utils as datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding model 'Maderable'
db.create_table(u'indicador06_maderable', (
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('nombre', self.gf('django.db.models.fields.CharField')(max_length=200)),
))
db.send_create_signal(u'indicador06', ['Maderable'])
# Adding model 'Forrajero'
db.create_table(u'indicador06_forrajero', (
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('nombre', self.gf('django.db.models.fields.CharField')(max_length=200)),
))
db.send_create_signal(u'indicador06', ['Forrajero'])
# Adding model 'Energetico'
db.create_table(u'indicador06_energetico', (
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('nombre', self.gf('django.db.models.fields.CharField')(max_length=200)),
))
db.send_create_signal(u'indicador06', ['Energetico'])
# Adding model 'Frutal'
db.create_table(u'indicador06_frutal', (
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('nombre', self.gf('django.db.models.fields.CharField')(max_length=200)),
))
db.send_create_signal(u'indicador06', ['Frutal'])
# Adding model 'ExistenciaArboles'
db.create_table(u'indicador06_existenciaarboles', (
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('cantidad_maderable', self.gf('django.db.models.fields.IntegerField')()),
('cantidad_forrajero', self.gf('django.db.models.fields.IntegerField')()),
('cantidad_energetico', self.gf('django.db.models.fields.IntegerField')()),
('cantidad_frutal', self.gf('django.db.models.fields.IntegerField')()),
('encuesta', self.gf('django.db.models.fields.related.ForeignKey')(to=orm['monitoreo.Encuesta'])),
))
db.send_create_signal(u'indicador06', ['ExistenciaArboles'])
# Adding M2M table for field maderable on 'ExistenciaArboles'
m2m_table_name = db.shorten_name(u'indicador06_existenciaarboles_maderable')
db.create_table(m2m_table_name, (
('id', models.AutoField(verbose_name='ID', primary_key=True, auto_created=True)),
('existenciaarboles', models.ForeignKey(orm[u'indicador06.existenciaarboles'], null=False)),
('maderable', models.ForeignKey(orm[u'indicador06.maderable'], null=False))
))
db.create_unique(m2m_table_name, ['existenciaarboles_id', 'maderable_id'])
# Adding M2M table for field forrajero on 'ExistenciaArboles'
m2m_table_name = db.shorten_name(u'indicador06_existenciaarboles_forrajero')
db.create_table(m2m_table_name, (
('id', models.AutoField(verbose_name='ID', primary_key=True, auto_created=True)),
('existenciaarboles', models.ForeignKey(orm[u'indicador06.existenciaarboles'], null=False)),
('forrajero', models.ForeignKey(orm[u'indicador06.forrajero'], null=False))
))
db.create_unique(m2m_table_name, ['existenciaarboles_id', 'forrajero_id'])
# Adding M2M table for field energetico on 'ExistenciaArboles'
m2m_table_name = db.shorten_name(u'indicador06_existenciaarboles_energetico')
db.create_table(m2m_table_name, (
('id', models.AutoField(verbose_name='ID', primary_key=True, auto_created=True)),
('existenciaarboles', models.ForeignKey(orm[u'indicador06.existenciaarboles'], null=False)),
('energetico', models.ForeignKey(orm[u'indicador06.energetico'], null=False))
))
db.create_unique(m2m_table_name, ['existenciaarboles_id', 'energetico_id'])
# Adding M2M table for field frutal on 'ExistenciaArboles'
m2m_table_name = db.shorten_name(u'indicador06_existenciaarboles_frutal')
db.create_table(m2m_table_name, (
('id', models.AutoField(verbose_name='ID', primary_key=True, auto_created=True)),
('existenciaarboles', models.ForeignKey(orm[u'indicador06.existenciaarboles'], null=False)),
('frutal', models.ForeignKey(orm[u'indicador06.frutal'], null=False))
))
db.create_unique(m2m_table_name, ['existenciaarboles_id', 'frutal_id'])
def backwards(self, orm):
# Deleting model 'Maderable'
db.delete_table(u'indicador06_maderable')
# Deleting model 'Forrajero'
db.delete_table(u'indicador06_forrajero')
# Deleting model 'Energetico'
db.delete_table(u'indicador06_energetico')
# Deleting model 'Frutal'
db.delete_table(u'indicador06_frutal')
# Deleting model 'ExistenciaArboles'
db.delete_table(u'indicador06_existenciaarboles')
# Removing M2M table for field maderable on 'ExistenciaArboles'
db.delete_table(db.shorten_name(u'indicador06_existenciaarboles_maderable'))
# Removing M2M table for field forrajero on 'ExistenciaArboles'
db.delete_table(db.shorten_name(u'indicador06_existenciaarboles_forrajero'))
# Removing M2M table for field energetico on 'ExistenciaArboles'
db.delete_table(db.shorten_name(u'indicador06_existenciaarboles_energetico'))
# Removing M2M table for field frutal on 'ExistenciaArboles'
db.delete_table(db.shorten_name(u'indicador06_existenciaarboles_frutal'))
models = {
u'auth.group': {
'Meta': {'object_name': 'Group'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '80'}),
'permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': u"orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'})
},
u'auth.permission': {
'Meta': {'ordering': "(u'content_type__app_label', u'content_type__model', u'codename')", 'unique_together': "((u'content_type', u'codename'),)", 'object_name': 'Permission'},
'codename': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'content_type': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['contenttypes.ContentType']"}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '50'})
},
u'auth.user': {
'Meta': {'object_name': 'User'},
'date_joined': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'blank': 'True'}),
'first_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'groups': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "u'user_set'", 'blank': 'True', 'to': u"orm['auth.Group']"}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_active': ('django.db.models.fields.BooleanField', [], {'default': 'True'}),
'is_staff': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'is_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False'}),
'last_login': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'last_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'password': ('django.db.models.fields.CharField', [], {'max_length': '128'}),
'user_permissions': ('django.db.models.fields.related.ManyToManyField', [], {'symmetrical': 'False', 'related_name': "u'user_set'", 'blank': 'True', 'to': u"orm['auth.Permission']"}),
'username': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'})
},
u'configuracion.areaaccion': {
'Meta': {'object_name': 'AreaAccion'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '250'})
},
u'configuracion.plataforma': {
'Meta': {'object_name': 'Plataforma'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '250'})
},
u'configuracion.sector': {
'Meta': {'object_name': 'Sector'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
},
u'configuracion.sitioaccion': {
'Meta': {'object_name': 'SitioAccion'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '250'})
},
u'contenttypes.contenttype': {
'Meta': {'ordering': "('name',)", 'unique_together': "(('app_label', 'model'),)", 'object_name': 'ContentType', 'db_table': "'django_content_type'"},
'app_label': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'model': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '100'})
},
u'indicador06.energetico': {
'Meta': {'object_name': 'Energetico'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
},
u'indicador06.existenciaarboles': {
'Meta': {'object_name': 'ExistenciaArboles'},
'cantidad_energetico': ('django.db.models.fields.IntegerField', [], {}),
'cantidad_forrajero': ('django.db.models.fields.IntegerField', [], {}),
'cantidad_frutal': ('django.db.models.fields.IntegerField', [], {}),
'cantidad_maderable': ('django.db.models.fields.IntegerField', [], {}),
'encuesta': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['monitoreo.Encuesta']"}),
'energetico': ('django.db.models.fields.related.ManyToManyField', [], {'to': u"orm['indicador06.Energetico']", 'symmetrical': 'False'}),
'forrajero': ('django.db.models.fields.related.ManyToManyField', [], {'to': u"orm['indicador06.Forrajero']", 'symmetrical': 'False'}),
'frutal': ('django.db.models.fields.related.ManyToManyField', [], {'to': u"orm['indicador06.Frutal']", 'symmetrical': 'False'}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'maderable': ('django.db.models.fields.related.ManyToManyField', [], {'to': u"orm['indicador06.Maderable']", 'symmetrical': 'False'})
},
u'indicador06.forrajero': {
'Meta': {'object_name': 'Forrajero'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
},
u'indicador06.frutal': {
'Meta': {'object_name': 'Frutal'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
},
u'indicador06.maderable': {
'Meta': {'object_name': 'Maderable'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
},
u'lugar.comunidad': {
'Meta': {'ordering': "['nombre']", 'object_name': 'Comunidad'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'municipio': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['lugar.Municipio']"}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '40'})
},
u'lugar.departamento': {
'Meta': {'ordering': "['nombre']", 'object_name': 'Departamento'},
'extension': ('django.db.models.fields.DecimalField', [], {'null': 'True', 'max_digits': '10', 'decimal_places': '2', 'blank': 'True'}),
'id': ('django.db.models.fields.IntegerField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'}),
'pais': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['lugar.Pais']"}),
'slug': ('django.db.models.fields.SlugField', [], {'max_length': '50', 'unique': 'True', 'null': 'True'})
},
u'lugar.municipio': {
'Meta': {'ordering': "['departamento__nombre', 'nombre']", 'object_name': 'Municipio'},
'departamento': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['lugar.Departamento']"}),
'extension': ('django.db.models.fields.DecimalField', [], {'null': 'True', 'max_digits': '10', 'decimal_places': '2', 'blank': 'True'}),
'id': ('django.db.models.fields.IntegerField', [], {'primary_key': 'True'}),
'latitud': ('django.db.models.fields.DecimalField', [], {'null': 'True', 'max_digits': '8', 'decimal_places': '5', 'blank': 'True'}),
'longitud': ('django.db.models.fields.DecimalField', [], {'null': 'True', 'max_digits': '8', 'decimal_places': '5', 'blank': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '30'}),
'slug': ('django.db.models.fields.SlugField', [], {'max_length': '50', 'unique': 'True', 'null': 'True'})
},
u'lugar.pais': {
'Meta': {'object_name': 'Pais'},
'codigo': ('django.db.models.fields.CharField', [], {'max_length': '2'}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
},
u'mapeo.organizaciones': {
'Meta': {'ordering': "[u'nombre']", 'unique_together': "((u'font_color', u'nombre'),)", 'object_name': 'Organizaciones'},
'area_accion': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['configuracion.AreaAccion']"}),
'contacto': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'correo_electronico': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'null': 'True', 'blank': 'True'}),
'departamento': ('smart_selects.db_fields.ChainedForeignKey', [], {'to': u"orm['lugar.Departamento']"}),
'direccion': ('django.db.models.fields.TextField', [], {'null': 'True', 'blank': 'True'}),
'fax': ('django.db.models.fields.CharField', [], {'max_length': '50', 'null': 'True', 'blank': 'True'}),
'font_color': ('mapeo.models.ColorField', [], {'unique': 'True', 'max_length': '10', 'blank': 'True'}),
'fundacion': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'generalidades': ('ckeditor.fields.RichTextField', [], {'null': 'True', 'blank': 'True'}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'logo': (u'sorl.thumbnail.fields.ImageField', [], {'max_length': '100', 'null': 'True', 'blank': 'True'}),
'municipio': ('smart_selects.db_fields.ChainedForeignKey', [], {'to': u"orm['lugar.Municipio']"}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'}),
'pais': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['lugar.Pais']"}),
'plataforma': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['configuracion.Plataforma']"}),
'rss': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'sector': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['configuracion.Sector']"}),
'siglas': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'sitio_accion': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['configuracion.SitioAccion']"}),
'sitio_web': ('django.db.models.fields.URLField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'telefono': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'temas': ('ckeditor.fields.RichTextField', [], {'null': 'True', 'blank': 'True'})
},
u'mapeo.persona': {
'Meta': {'object_name': 'Persona'},
'cedula': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
'comunidad': ('smart_selects.db_fields.ChainedForeignKey', [], {'to': u"orm['lugar.Comunidad']"}),
'departamento': ('smart_selects.db_fields.ChainedForeignKey', [], {'to': u"orm['lugar.Departamento']"}),
'edad': ('django.db.models.fields.IntegerField', [], {}),
'finca': ('django.db.models.fields.CharField', [], {'max_length': '200', 'null': 'True', 'blank': 'True'}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'municipio': ('smart_selects.db_fields.ChainedForeignKey', [], {'to': u"orm['lugar.Municipio']"}),
'nivel_educacion': ('django.db.models.fields.IntegerField', [], {}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'}),
'organizacion': ('django.db.models.fields.related.ManyToManyField', [], {'related_name': "u'org'", 'symmetrical': 'False', 'to': u"orm['mapeo.Organizaciones']"}),
'pais': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['lugar.Pais']"}),
'sexo': ('django.db.models.fields.IntegerField', [], {})
},
u'monitoreo.encuesta': {
'Meta': {'object_name': 'Encuesta'},
'fecha': ('django.db.models.fields.DateField', [], {}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'jefe': ('django.db.models.fields.IntegerField', [], {}),
'productor': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['mapeo.Persona']"}),
'recolector': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['monitoreo.Recolector']"}),
'tipo_encuesta': ('django.db.models.fields.IntegerField', [], {'default': '2'}),
'user': ('django.db.models.fields.related.ForeignKey', [], {'to': u"orm['auth.User']"}),
'year': ('django.db.models.fields.IntegerField', [], {})
},
u'monitoreo.recolector': {
'Meta': {'object_name': 'Recolector'},
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'nombre': ('django.db.models.fields.CharField', [], {'max_length': '200'})
}
}
complete_apps = ['indicador06']
|
Burdick Road is a hiking, biking, and horse trail in Leelanau County, Michigan. It is within Sleeping Bear Dunes National Lakeshore. It is 0.8 miles long and begins at 586 feet altitude. Traveling the entire trail is 1.7 miles with a total elevation gain of 21 feet.
One of Michigan's best trails, Burdick Road is located near Sleeping Bear Dunes National Lakeshore, MI. Trails' printable online topo maps offer shaded and un-shaded reliefs, and aerial photos too. Use topographic maps to find elevation, print high resolution maps, save a PNG, or just learn the topography around Burdick Road. You can also get free latitude and longitude coordinates from the topographical map and set your GPS. Premium members can download or print any topo and cover more terrain when you map your Burdick Road route ahead of time.
|
"""Test the hook mechanism."""
import os
from contextlib import ExitStack
from tempfile import TemporaryDirectory
from textwrap import dedent
from ubuntu_image.hooks import HookError, HookManager
from unittest import TestCase
class TestHooks(TestCase):
def test_hook_compatibility(self):
# This test should be updated whenever NEW hooks are added. It is NOT
# allowed to remove any hooks from this test - it's present here to
# make sure no existing hooks have been
pass
def test_hook_fired(self):
with ExitStack() as resources:
hooksdir = resources.enter_context(TemporaryDirectory())
hookfile = os.path.join(hooksdir, 'test-hook')
resultfile = os.path.join(hooksdir, 'result')
env = {'UBUNTU_IMAGE_TEST_ENV': 'true'}
with open(hookfile, 'w') as fp:
fp.write("""\
#!/bin/sh
echo -n "$UBUNTU_IMAGE_TEST_ENV" >>{}
""".format(resultfile))
os.chmod(hookfile, 0o744)
manager = HookManager([hooksdir])
manager.fire('test-hook', env)
# Check if the script ran once as expected.
self.assertTrue(os.path.exists(resultfile))
with open(resultfile, 'r') as fp:
self.assertEqual(fp.read(), 'true')
def test_hook_fired_multiple_scripts(self):
with ExitStack() as resources:
hooksdir = resources.enter_context(TemporaryDirectory())
hookdir = os.path.join(hooksdir, 'test-hook.d')
hookfile1 = os.path.join(hookdir, 'dir-test-01')
hookfile2 = os.path.join(hookdir, 'dir-test-02')
hookfile3 = os.path.join(hooksdir, 'test-hook')
resultfile = os.path.join(hooksdir, 'result')
os.mkdir(hookdir)
def create_hook(path):
with open(path, 'w') as fp:
fp.write(dedent("""\
#!/bin/sh
echo "{}" >>{}
""".format(path, resultfile)))
os.chmod(path, 0o744)
create_hook(hookfile1)
create_hook(hookfile2)
create_hook(hookfile3)
manager = HookManager([hooksdir])
manager.fire('test-hook')
# Check if all the scripts for the hook were run and in the right
# order.
self.assertTrue(os.path.exists(resultfile))
with open(resultfile, 'r') as fp:
lines = fp.read().splitlines()
self.assertListEqual(
lines, [hookfile1, hookfile2, hookfile3])
def test_hook_multiple_directories(self):
with ExitStack() as resources:
hooksdir1 = resources.enter_context(TemporaryDirectory())
hooksdir2 = resources.enter_context(TemporaryDirectory())
hookdir = os.path.join(hooksdir1, 'test-hook.d')
hookfile1 = os.path.join(hookdir, 'dir-test-01')
hookfile2 = os.path.join(hooksdir2, 'test-hook')
# We write the results to one file to check if order is proper.
resultfile = os.path.join(hooksdir1, 'result')
os.mkdir(hookdir)
def create_hook(path):
with open(path, 'w') as fp:
fp.write(dedent("""\
#!/bin/sh
echo "{}" >>{}
""".format(path, resultfile)))
os.chmod(path, 0o744)
create_hook(hookfile1)
create_hook(hookfile2)
manager = HookManager([hooksdir1, hooksdir2])
manager.fire('test-hook')
# Check if all the scripts for the hook were run and in the right
# order.
self.assertTrue(os.path.exists(resultfile))
with open(resultfile, 'r') as fp:
lines = fp.read().splitlines()
self.assertListEqual(
lines, [hookfile1, hookfile2])
def test_hook_error(self):
with ExitStack() as resources:
hooksdir = resources.enter_context(TemporaryDirectory())
hookfile = os.path.join(hooksdir, 'test-hook')
with open(hookfile, 'w') as fp:
fp.write(dedent("""\
#!/bin/sh
echo -n "error" 1>&2
exit 1
"""))
os.chmod(hookfile, 0o744)
manager = HookManager([hooksdir])
# Check if hook script failures are properly reported
with self.assertRaises(HookError) as cm:
manager.fire('test-hook')
self.assertEqual(cm.exception.hook_name, 'test-hook')
self.assertEqual(cm.exception.hook_path, hookfile)
self.assertEqual(cm.exception.hook_retcode, 1)
self.assertEqual(cm.exception.hook_stderr, 'error')
|
Discovery Motor Sports recently partnered with Reed Security to Decrease Theft and Losses.
Easy-to-Use Video Management Software - "Review Hours in Minutes"
PC, iPhone, iPad, Android apps.
Discovery Motor Sports is proud to be the only full-line Polaris dealership in Saskatchewan. In addition to a great line-up of Polaris snowmobiles, ATV’s and side-by-sides, DMS-Saskatoon is thrilled to carry Victory and Indian® Motorcycles.
Drop by to check out the newest motor sports showroom in Saskatoon. Meet their friendly, Polaris certified staff and find out how easy it is to have the time of your life; on-road or off! From the day you buy it to the day your retire it, Discovery Motorsports Saskatoon has what you need - parts , service, accessories and riding gear.
The store may be new, but the staff has over 26 years of experience with Polaris products.
Reed Security has partnered with UCIT Online Security to Reduce or Eliminate Theft at Construction Sites and Compounds.
ACTUAL CRIME VIDEO - Saskatoon Police Incident 69656: An unwanted visitor trespasses our client's job site in the middle of the night with the intent of stealing tools and materials. Unfortunately for him - the night ended with a trip to JAIL.
1. Reed Security designs and installs a UCIT Online Security system with 24/7 camera recording and after hours remote video monitoring.
2. UCIT emergency operators respond to smart cameras and perform virtual tours every 12 to 15 minutes.
3. UCIT emergency operator INTERVENES by identifying the intruder "You in the red jacket" and asks the intruder to leave.
4. The POLICE are dispatched and respond to an actual crime in progress.
5. The POLICE arrest the intruder.
6. LOSSES to Theft are reduced or eliminated.
One Monthly Fee that includes all Equipment, Software, Wireless Internet, Real-time Remote Surveillance, 24/7 all activities recording, and video review.
Lafarge® recently partnered with Reed Security to Decrease Theft and Losses.
All events are recorded in HD for at least 30 days.
Lafarge® has been providing Northern Saskatchewan with quality products for over 40 years and is the largest diversified supplier of construction materials in Canada and the United States. They produce and sell cement, ready-mix concrete, and sand & gravel aggregates across North America. Their products are used in many applications from residential to large commercial and provide the backbone of any construction project within local communities.
Quorex Construction Ltd. has been building quality projects for over 35 years and have offices in Saskatoon & Regina. Their well-known reputation is built upon the service each and every client receives and their commitment to quality and excellence on every project. The strength of their organization is its people. They believe that teamwork builds quality and their teamwork approach results in the delivery of facilities that are on-time and on budget.
Strata Development is a commercial construction management firm based in Saskatoon. Committed to honesty and integrity, they bring their policy of real-time feedback and communication to every project they deliver.
"We are very pleased to have this system up and running!! Thanks for bringing something new to the market. Having a system like this brings a very different sense of security and peace of mind for our worksite."
One Monthly Fee that includes all Equipment, Software, Wireless Internet, Real-time Remote Surveillance, 24/7 all activities recording, and security video review.
|
"""
`PostgreSQL`_ database specific implementations of changeset classes.
.. _`PostgreSQL`: http://www.postgresql.org/
"""
from migrate.changeset import ansisql
from sqlalchemy.databases import postgresql as sa_base
PGSchemaGenerator = sa_base.PGDDLCompiler
class PGColumnGenerator(PGSchemaGenerator, ansisql.ANSIColumnGenerator):
"""PostgreSQL column generator implementation."""
pass
class PGColumnDropper(ansisql.ANSIColumnDropper):
"""PostgreSQL column dropper implementation."""
pass
class PGSchemaChanger(ansisql.ANSISchemaChanger):
"""PostgreSQL schema changer implementation."""
pass
class PGConstraintGenerator(ansisql.ANSIConstraintGenerator):
"""PostgreSQL constraint generator implementation."""
pass
class PGConstraintDropper(ansisql.ANSIConstraintDropper):
"""PostgreSQL constaint dropper implementation."""
pass
class PGDialect(ansisql.ANSIDialect):
columngenerator = PGColumnGenerator
columndropper = PGColumnDropper
schemachanger = PGSchemaChanger
constraintgenerator = PGConstraintGenerator
constraintdropper = PGConstraintDropper
|
Trendy ideas low water pressure in kitchen faucet only inset sink insetink how to adjust pressureteps with full size of fantastic image inspirations donatz is one of our best images of low water pressure in kitchen faucet only and its resolution is 1600x1600 pixels. Find out our other images similar to this trendy ideas low water pressure in kitchen faucet only inset sink insetink how to adjust pressureteps with full size of fantastic image inspirations donatz at gallery below and if you want to find more ideas about low water pressure in kitchen faucet only, you could use search box at the top of this page.
Below are the images from low water pressure in kitchen faucet only post, there are winsome design low water pressure in kitchen faucet only attractive sink no hot single handle, ingenious ideas low water pressure in kitchen faucet only large size of medium sink sprayer cold, pleasurable ideas low water pressure in kitchen faucet only sink isidor me plus no, smartness low water pressure in kitchen faucet only sink plus images wire spice racks for cabinets resin, spectacular idea low water pressure in kitchen faucet only sink with inspirational, extravagant low water pressure in kitchen faucet only stunning full size of but, plush design low water pressure in kitchen faucet only inset sink insetink how to adjust pressureteps with large size of fantastic image inspirations, bold and modern low water pressure in kitchen faucet only sink luxury why would be, stylish design ideas low water pressure in kitchen faucet only no hot bathtub large size of sink, smartness design low water pressure in kitchen faucet only no sink plus how to troubleshoot, classy design low water pressure in kitchen faucet only sink awesome ly, peaceful design ideas low water pressure in kitchen faucet only sink best of the strong and sturdy oscaraucet makes cleaning up easy phenomenal, surprising low water pressure in kitchen faucet only nice sink com, classy idea low water pressure in kitchen faucet only tutorial delta fix youtube, and Trendy Ideas Low Water Pressure In Kitchen Faucet Only Inset Sink Insetink How To Adjust Pressureteps With Full Size Of Fantastic Image Inspirations Donatz.
And the last but not the least, our best low water pressure in kitchen faucet only images, there are cool design ideas low water pressure in kitchen faucet only sink marvellous delta diverter cold, chic design low water pressure in kitchen faucet only sink attractive why would be, stylish idea low water pressure in kitchen faucet only sink best of h bathroom, wonderful low water pressure in kitchen faucet only large size of building height effects on, dazzling design inspiration low water pressure in kitchen faucet only 1200 599749 types of sinksh sink i 11d, valuable design ideas low water pressure in kitchen faucet only but moved permanently view larger loss of, charming idea low water pressure in kitchen faucet only sink with large size, inspirational design low water pressure in kitchen faucet only inset sink insetink how to adjust pressureteps with full size of fix from new pullout, sweet inspiration low water pressure in kitchen faucet only sink brilliant delta diverter no hot, wondrous low water pressure in kitchen faucet only at your possible places plumbing tips, dazzling ideas low water pressure in kitchen faucet only hot medium size of cold bathroom sink, surprising inspiration low water pressure in kitchen faucet only no hot sink cold full size of, splendid ideas low water pressure in kitchen faucet only sink also creative endearing delta leaking problems repair pullout, marvellous design low water pressure in kitchen faucet only nice sink com cute ideas beautiful image and sprayer cold ly what, and homely inpiration low water pressure in kitchen faucet only how to fix a with bathroom sink youtube.
|
#!/usr/bin/env python3
from dnestpy import PAKArchive
from pathlib import Path
##########
# Config
##########
# Required game files
required_files = {
# Required game archive
'Resource00.pak': [
# Files needed from that archive
'resource/uistring/uistring.xml',
'resource/ui/mainbar/skillicon*.dds'
],
'Resource04.pak': [
'resource/ext/jobtable.dnt',
'resource/ext/skillleveltable_character*.dnt',
'resource/ext/skillleveltable_totalskill.dnt',
'resource/ext/skilltable_character.dnt',
'resource/ext/skilltreetable.dnt',
]
}
# Folder to extract files to
outdir = Path('./extract')
##########
# Utility functions
##########
def valid_dnpath(path):
"""Ensure needed dragonnest files are in the directory"""
return all((path/f).is_file() for f in required_files)
def match_any(pakfile, patternset):
"""Returns true if path matches any pattern from paternset"""
return any(pakfile.path.match(p) for p in patternset)
##########
# Main Script
##########
print('Enter your dragonnest game folder e.g., C:\\Nexon\\DragonNest')
dnpath = Path(input('DragonNest path: '))
while not valid_dnpath(dnpath):
print('\nGame files not found')
print('The folder must contain "Resource00.pak" and "Resource04.pak"')
dnpath = Path(input('DragonNest path: '))
# Extract required files
for pakname, filepatterns in required_files.items():
with PAKArchive(dnpath/pakname) as pak:
pakfiles = filter(lambda x: match_any(x, filepatterns), pak.files)
for pakfile in pakfiles:
pakfile.extract(outdir, fullpath=False, overwrite=True)
|
In this article by Exxon lobbyist Paul Driessen, it is posited that solar energy is inherently inferior to existing forms of energy, such as coal, oil, and natural gas, because it’s inefficient and costly.
To begin, Paul cites sources such as climate depot, which is classified by mediabiasfactcheck.com as conspiracy-pseudoscience, and a dubious AEI ‘study’ that tries to brand solar energy as wasteful on the grounds that it employs more workers per kwh generated than fossil fuels.
Without questioning the accuracy of the numbers, one would expect far more workers per unit of production in any infantile industry compared to legacy industry, regardless of the industry. That’s because it’s new. The infrastructure isn’t there, the efficiency hasn’t been refined, and hardly anything has been automated to a point where the workload can be reduced. This is a common-sense rule that applies to any growing business sector, and is especially true of solar energy. Put simply, a lot of people are employed at installing solar panels, developing the new technology, and producing numbers that don’t exist yet, whereas nobody installs new coal equipment anymore. So naturally, the solar energy sector is going to employ far more people than coal. The same study further confirms this basic principle by pointing out the number of people employed in natural gas, which is also a growing sector.
Paul further claims that coal is cheap, while solar has to benefit from mandates and subsidies. This is an incredibly odd claim, given that coal has benefited from federal subsidies since 1932. According to this article, coal, oil, and other fossil fuel companies are among the worst offenders when it comes to taking advantage of tax loopholes which allow them to carry a negative balance for tax purposes while making billions in profits — the same loopholes that were pushed through congress by lobbyists like Paul Dreissen. Coal has had US taxpayers cover the cost of capital improvements, mining and prospecting costs, not to mention abysmal lease payments on federal lands way below the market value of the reserves. To be sure, were it not for American taxpayers shelling out billions upon billions to prop up this industry with a negligible ROI, coal would be cost-prohibitive.
Solar, by contrast, has zero fuel cost. Zero. Once you install a solar panel, it generates electricity, and it keeps generating it with minimal operating cost. There is no massive capital outlay required to buy up big expensive machinery to dig the stuff out of the ground; rather, the sun shines for free. For now. No, it’s not as efficient as a technology that’s been around for over a century; it would be foolish to expect it to be, but it IS growing.
Paul further complains about the acreage of solar farms, dragging up issues such as distance from power generation, to destruction of wildlife habitat. But if land-use is what he’s concerned about, perhaps he should try to install a coal plant on the roof of his house. It is true that solar doesn’t generate nearly as much energy while it’s dark or overcast. But compare these solar roofing tiles by Tesla to conventional, ceramic roofing tiles which generate no energy, ever, and the comparison is a little silly. The tiles on my roof, Paul, are fairly close to my house, but thanks for your concern.
Again, with new technology, a world of possibilities opens up.
Is solar perfect? Of course not; if it were, we wouldn’t be having this discussion. The ratio of energy gained to the amount of sunlight received is not pretty. The power generation is inconsistent and requires large capacitors. The total amount of energy, even during peak hours, is often insufficient to match our existing power requirements. There is high capital outlay for very little return. But these things are improving, rapidly, and the future is making way. Coal, in its infancy, was grossly inefficient, highly dangerous, and disgustingly unhealthy. It’s improved from this, but no matter how you spin it, it’s still a dirty, limited resource. It’s time to move on.
|
"""
[2017-04-24] Challenge #312 [Easy] L33tspeak Translator
https://www.reddit.com/r/dailyprogrammer/comments/67dxts/20170424_challenge_312_easy_l33tspeak_translator/
# Description
L33tspeak - the act of speaking like a computer hacker (or hax0r) - was popularized in the late 1990s as a mechanism of
abusing ASCII art and character mappings to confuse outsiders. It was a lot of fun. [One popular comic
strip](http://megatokyo.com/strip/9) in 2000 showed just how far the joke ran.
In L33Tspeak you substitute letters for their rough outlines in ASCII characters, e.g. symbols or numbers. You can have
1:1 mappings (like E -> 3) or 1:many mappings (like W -> `//). So then you wind up with words like this:
BASIC => 6451C
ELEET => 31337 (pronounced elite)
WOW => `//0`//
MOM => (V)0(V)
## Mappings
For this challenge we'll be using a subset of American Standard Leetspeak:
A -> 4
B -> 6
E -> 3
I -> 1
L -> 1
M -> (V)
N -> (\)
O -> 0
S -> 5
T -> 7
V -> \/
W -> `//
Your challenge, should you choose to accept it, is to translate to and from L33T.
# Input Description
You'll be given a word or a short phrase, one per line, and asked to convert it from L33T or to L33T. Examples:
31337
storm
# Output Description
You should emit the translated words: Examples:
31337 -> eleet
storm -> 570R(V)
# Challenge Input
I am elite.
Da pain!
Eye need help!
3Y3 (\)33d j00 t0 g37 d4 d0c70r.
1 n33d m4 p1llz!
# Challenge Output
I am elite. -> 1 4m 37173
Da pain! -> D4 P41(\)!
Eye need help! -> 3Y3 (\)33D H31P!
3Y3 (\)33d j00 t0 g37 d4 d0c70r. -> Eye need j00 to get da doctor.
1 n33d m4 p1llz! -> I need ma pillz!
"""
def main():
pass
if __name__ == "__main__":
main()
|
Today, I want us to think of what it meant when scripture tells us that Jesus left his riches to become poor for our sakes.
The first time I ever read this verse, I was a senior in high school. I was the president of the youth group and we had adopted a family for Christmas. Ironically, this family lived only a few streets over from where I lived comfortably with my loving and stable family. I was in charge of gathering the food, clothing and toys for this needy family. I vividly remember searching for a Bible verse to write in the front of the Bible, which we were giving them. And I found this verse. It somehow seemed perfect and I quickly wrote it on the title page of the Bible.
I also had the privilege of delivering the offerings to the family. I remember nervously knocking on the door, noticing the peeling paint on the front porch. A woman, pitifully dressed, opened the door very sheepishly. She invited me in and introduced me to her precious children as well as her husband whose presence in the middle of the day was evidence of the hard times on which they had fallen. No work meant no Christmas for this family.
Except that a few self-centered teenagers had momentarily stepped out of their self-centeredness.
It was a simple thing that I did that day. Deliver some food, a gift or two; play with the kids for just a minute; smile at the sweet lady; give them a Bible verse, which pointed out that Jesus chose poverty so we could be spiritually rich. The experience moved me and was a greater blessing to me than to them.
I opened two precious figurines, picked out just for me. I treasure them still.
It’s not too late. Go do something for someone else. You will be glad you did.
Two weeks ago I ventured out with my two toddlers to Hobby Lobby. Having been home from China with our new son, Charlie, for only a few days, I felt brave just leaving the house. It has been 15 years since I had two toddlers to care for. It’s like riding a bike, though! You never forget how, but the older you are, the more tired you are! On this day, I did feel tired–very tired. Jet lag, middle age, and seven children–I guess I have an excuse! As I walked hand-in-hand with my two Asian cuties, I heard the familiar sound of the Salvation Army bell-ringers. There they were faithfully calling out to remember the poor and needy during this holiday season. As we approached the red bucket, I dug around in my purse for some change, all the while explaining to the kids (at least to Sally who can speak English!) that we needed to help the poor children. As they both placed a quarter into the red bucket, I had a startling thought: my children were no longer poor and needy. They once were, recently were. But now they were not. And I was overwhelmed with God’s goodness. Are you on the other side of poor and needy right now? Then praise God for it and help someone who is not yet there. Blessings to you, my friends!
Today, I found a study I wrote several years ago, about praying for your children. This truth hit home once again for me and it is a timely truth for this season.
Our society today constantly sends the message that we need more, more, and more. We need better, bigger, newest, latest. I am very guilty of buying into the lie of more and better for me, me, and me.
And that is the same society that shouts these false messages to our children. If I fall prey to this, and I know better, how much more easily will our children fall prey to this “More for Me” mentality?
The only way to counteract this constant message is to give. We must model for our children a generous heart. They should see us be generous with our treasures, our talents, and our time. If we value heaven over earth, they will learn to do the same. If we hold loosely to our earthly treasures, they too will hold loosely to theirs. Let’s pray for generosity to be imbedded into our personalities and the personalities of our children.
In addition to praying for your children to have a generous heart, ask the Lord what you can do with your children to model that. Is there a needy family you could help? A neighbor for whom you could bake cookies? Is there someone to whom you could offer food, clothes, or toys? Let’s not wait until next Christmas to show our children what it means to be generous.
|
# -*- coding: utf-8 -*-
# This technical data was produced for the U. S. Government under Contract No. W15P7T-13-C-F600, and
# is subject to the Rights in Technical Data-Noncommercial Items clause at DFARS 252.227-7013 (FEB 2012)
from django import forms
from django.forms.widgets import (RadioInput, RadioSelect, CheckboxInput,
CheckboxSelectMultiple)
from django.contrib.auth.models import User
from django.utils.html import escape, conditional_escape
from django.db.models import Max
from itertools import chain
from models import AOI, Job, Project
from maps.models import Layer, MapLayer
no_style = [RadioInput, RadioSelect, CheckboxInput, CheckboxSelectMultiple]
class StyledModelForm(forms.ModelForm):
"""
Adds the span5 (in reference to the Twitter Bootstrap element)
to form fields.
"""
cls = 'span5'
def __init__(self, *args, **kwargs):
super(StyledModelForm, self).__init__(*args, **kwargs)
for f in self.fields:
if type(self.fields[f].widget) not in no_style:
self.fields[f].widget.attrs['class'] = self.cls
class AOIForm(StyledModelForm):
class Meta:
fields = ('name', 'description', 'job', 'analyst',
'priority', 'status')
model = AOI
class ItemSelectWidget(forms.SelectMultiple):
def __init__(self, attrs=None, choices=(), option_title_field=''):
self.option_title_field = option_title_field
super(ItemSelectWidget, self).__init__(attrs, choices)
def render_option(self, selected_choices, option_value, option_label, option_title=''):
option_value = forms.util.force_text(option_value)
if option_value in selected_choices:
selected_html = u' selected="selected"'
if not self.allow_multiple_selected:
selected_choices.remove(option_value)
else:
selected_html = ''
return u'<option title="%s" value="%s"%s>%s</option>' % ( \
escape(option_title), escape(option_value), selected_html, conditional_escape(forms.util.force_text(option_label)))
def render_options(self, choices, selected_choices):
# Normalize to strings.
selected_choices = set(forms.util.force_text(v) for v in selected_choices)
choices = [(c[0], c[1], '') for c in choices]
more_choices = [(c[0], c[1]) for c in self.choices]
try:
option_title_list = [val_list[0] for val_list in self.choices.queryset.values_list(self.option_title_field)]
if len(more_choices) > len(option_title_list):
option_title_list = [''] + option_title_list # pad for empty label field
more_choices = [(c[0], c[1], option_title_list[more_choices.index(c)]) for c in more_choices]
except:
more_choices = [(c[0], c[1], '') for c in more_choices] # couldn't get title values
output = []
for option_value, option_label, option_title in chain(more_choices, choices):
if isinstance(option_label, (list, tuple)):
output.append(u'<optgroup label="%s">' % escape(forms.util.force_text(option_value)))
for option in option_label:
output.append(self.render_option(selected_choices, *option, **dict(option_title=option_title)))
output.append(u'</optgroup>')
else: # option_label is just a string
output.append(self.render_option(selected_choices, option_value, option_label, option_title))
return u'\n'.join(output)
class JobForm(StyledModelForm):
analysts = forms.ModelMultipleChoiceField(
queryset = User.objects.all(),
widget = ItemSelectWidget(option_title_field='email')
)
layers = forms.ModelMultipleChoiceField(
queryset = Layer.objects.all(),
widget = ItemSelectWidget()
)
class Meta:
fields = ('name', 'description', 'project', 'analysts',
'teams', 'reviewers', 'feature_types', 'required_courses', 'tags', 'layers')
model = Job
def __init__(self, project, *args, **kwargs):
super(JobForm, self).__init__(*args, **kwargs)
def remove_anonymous(field):
""" Removes anonymous from choices in form. """
field_var = self.fields[field].queryset.exclude(id=-1)
self.fields[field].queryset = field_var
return None
remove_anonymous('reviewers')
remove_anonymous('analysts')
self.fields['project'].initial = project
if 'data' in kwargs:
# If we're creating Job, we don't have a map
if self.instance.map == None:
return;
self.fields['analysts'].initial = kwargs['data'].getlist('analysts',None)
# must be a better way, but figure out the layers to display
layers_selected = set(kwargs['data'].getlist('layers',None))
layers_current_int = MapLayer.objects.filter(map=self.instance.map.id).values_list('layer_id', flat=True)
layers_current = set([unicode(i) for i in layers_current_int])
if layers_selected != layers_current:
# resolve differences
# first take out ones we want to remove
for x in layers_current - layers_selected:
MapLayer.objects.filter(map=self.instance.map.id,layer_id=x).delete()
# now add in new ones
layers = MapLayer.objects.filter(map=self.instance.map.id)
if layers.count() > 0:
max_stack_order = layers.aggregate(Max('stack_order')).values()[0]
else:
max_stack_order = 0
for x in layers_selected - layers_current:
max_stack_order+=1
ml = MapLayer.objects.create(map=self.instance.map,layer_id=int(x),stack_order=max_stack_order)
ml.save()
else:
if hasattr(kwargs['instance'],'analysts'):
self.fields['analysts'].initial = kwargs['instance'].analysts.all().values_list('id', flat=True)
else:
self.fields['analysts'].initial = []
if hasattr(kwargs['instance'],'map'):
self.fields['layers'].initial = [x.layer_id for x in kwargs['instance'].map.layers]
class ProjectForm(StyledModelForm):
class Meta:
fields = ('name', 'description', 'project_type', 'active', 'private')
model = Project
|
The Han Dynasty was very advanced in the making of weapons and the strategy they used during the time of war. The army was made up of over one million men. The army used swords, which were the preferred weapon of the military at the time. After making many advancements in iron casting, swords were much more durable. Consequently, the military was able to defend attacks from invaders at a higher success rate. Another weapon advancement was made as well in the traditional crossbow. It was made much more accurate and powerful. These technological advancements further enhanced the Chinese army during the Han Dynasty.
Having a powerful army allowed the government and military to expand to many new lands, making their expansion one of the largest in Chinese history. Their expansion extended into southern China and northern Vietnam. They also expanded to parts of Korea in the north. China also gained control of trade routes running north and south of the Taklimakan Desert in the west. However, they struggled to expand further in the southwest because of mountainous terrain and malaria. In the end, their expansion lead to greater economic stability for the Han Dynasty.
Trade prospered during the Han Dynasty, resulting in many major trade innovations that later affected future Chinese dynasties. “The opening of the Silk Road was probably the major economic achievement of the Han Dynasty.” The Silk Road was an intertwining system of land and sea trade routes that connected Eastern China to as far west as the Mediterranean. Traders and merchants used these routes to buy and sell goods across Europe and Asia. This lead to economic prosperity and cultural exchange for the Empire. Merchants traded goods popular in China, such as silk and gold, for wine, spices, woolen fabrics, grapes, pomegranates, sesame, broad beans, and alfalfa. Merchants at the time of the Han Dynasty greatly benefited from the opening of the Silk Road.
The Han Dynasty was one of the greatest Chinese dynasties. The Han Dynasty was split into two time periods: the Western Han Dynasty (206 B.C. - 9 A.D.) and the Eastern Han Dynasty (25 A.D. - 220 A.D.) During these time periods, many of the emperors made innovations and changes that would last forever. The military, commanded by the emperors, expanded to many neighboring regions allowing economic growth and prosperity as well as opening up new trade routes. The people of the Han Dynasty were very advanced in the way they interacted with the countries and empires in the surrounding area. As a result, the Han Dynasty expanded and traded with foreign countries all over Europe and Asia. All historical evidence points to the idea that the Han Dynasty made one of the biggest impacts on military, expansion, and trade of all the Chinese dynasties that came before and to come.
The Han Dynasty had one of the biggest influences on Chinese history. By investigating military, expansion, and trade, we can conclude that the Han Dynasty was one of the most advanced Chinese dynasties in history. It lasted for over 400 years and made many big impacts on Chinese culture and society.
"China History." ChinaHighlights. Accessed November 23, 2014. http://www.chinahighlights.com/travelguide/culture/china-history.htm.
"The Chinese Han Dynasty Military: Warfare, Army & Weapons." Totally History Han Dynasty Military Comments. Accessed November 14, 2014. http://totallyhistory.com/han-dynasty-military/.
"Han Dynasty." Ancient History Encyclopedia. Accessed November 13, 2014. http://www.ancient.eu/Han_Dynasty/.
"Han Dynasty China and Imperial Rome, 300 BCE–300 CE." Chapter 7:. Accessed November 15, 2014. http://www.wwnorton.com/college/history/worlds-together-worlds-apart3/ch/07/summary.aspx.
"Han Dynasty Inlaid Bronze Crossbow Mechanism - For Sale." Blogantiquescom RSS. Accessed November 23, 2014. http://www.antiques.com/classified/Antiquities/Ancient-Asian/Han-Dynasty-Inlaid-Bronze-Crossbow-Mechanism.
"Heilbrunn Timeline of Art History." Han Dynasty (206 B.C.–220 A.D.). Accessed November 14, 2014. http://www.metmuseum.org/toah/hd/hand/hd_hand.htm.
"THE HAN DYNASTY [ 206 BC – 220 AD ]." China Mike RSS. Accessed November 23, 2014. http://www.china-mike.com/chinese-history-timeline/part-4-han-dynasty/.
"汉阳陵博物馆." 汉阳陵博物馆. Accessed November 19, 2014. http://www.hylae.com/en/weapon.asp.
|
from settings import *
from django.shortcuts import render_to_response, get_object_or_404
from django.template import RequestContext
from django.core.paginator import Paginator
from django.http import HttpResponse, HttpResponseRedirect
from urllib import unquote
from mail.models import *
from django.core.urlresolvers import reverse
from django.core.cache import cache
import re
import jellyfish
from mail.management.commands.mail_combine_people import Command as CombineCommand
def index(request):
if not DEBUG:
return
DEFAULT_DISTANCE = 0
person_into = request.GET.get('into', False)
victims = map(lambda x: int(x), request.GET.getlist('combine'))
if person_into is not False:
victims.remove(int(person_into))
args_array = [person_into] + victims
# call_command('mail_combine_people', *args_array)
combcomm = CombineCommand()
print person_into, victims
result = combcomm.merge(person_into, victims, noprint=True)
people = []
for p in Person.objects.filter(merged_into=None).order_by('name_hash'):
people.append({'obj': p, 'dist': DEFAULT_DISTANCE})
target_person = None
target_id = request.GET.get('id', False)
if target_id is not False:
target_person = Person.objects.get(id=target_id)
if target_person:
for (i,p) in enumerate(people):
people[i]['dist'] = jellyfish.jaro_distance(target_person.name_hash, p['obj'].name_hash)
people.sort(key=lambda x: x['dist'], reverse=True)
total = len(people)
template_vars = {
'people': people,
'total': total
}
return render_to_response('dedupe.html', template_vars, context_instance=RequestContext(request))
def emails(request):
person = Person.objects.get(id=request.GET.get('id'))
from_emails = Email.objects.filter(creator=person)
to_emails = Email.objects.filter(to=person)
cc_emails = Email.objects.filter(cc=person)
template_vars = {
'from_emails': from_emails,
'to_emails': to_emails,
'cc_emails': cc_emails
}
return render_to_response('dedupe_emails.html', template_vars, context_instance=RequestContext(request))
|
Having dead trees on or near your property can cause deeper problems than just being an eyesore. For instance, dead tree branches may break off and fall, causing injuries and damages to property and if the cause of the death is disease, pests could spread to your property. As a property owner, you should identify sick and dying trees as early as possible and have them removed to avoid these eventualities. Here, are four dead giveaway signs of a dying or dead tree.
Check whether there are vertical cracks in the trunk. Severe damage to a tree trunk reduces its likeliness to survive. Also, take a close look at the trunk. When a tree grows old, the older bark sheds off and is replaced by a new layer. If the old bark has been shed and no new bark is appearing leaving smooth areas exposed, the health of the tree is on the decline.
Most deciduous trees only shed their leaves in fall and remain leafless in winter to avoid the excess weight of accumulated snow. However, if a tree has bare branches after spring, there is a possibility that the tree is dying. Note that if leaves are drying up and remaining stuck on the branches, the tree is dying. If the leaves dry up on one side of the tree, it could also be an indication that the tree is suffering from an attack of a disease or pest.
Roots run very deep into the ground, and most of the times, it is hard to tell if a tree has damaged roots. However, if you notice a sudden noticeable lean on the tree, the roots could be harmed. Another indicator of damaged roots is small branches sprouting from the base of the trunk in what is known as epicormic shoots. The shoots are usually a tell-tale sign of a tree with damaged roots.
The presence of any large fungus such as shelf or bracket fungus (wood conchs), is an indication that a tree has started rotting inside. Dampness and softness of the trunk in addition to fungus presence also indicate that a tree is rotting.
Other indicators of a dying tree include location. If the tree is near the construction site, the chances are that the tree will have more exposure to the sun and wind and the roots might also get damaged, destroying the tree. Tree removal experts help in identifying trees that could be an environmental risk and removing them with as little disruption to the surroundings as possible.
|
"""
==================
Ellipse With Units
==================
Compare the ellipse generated with arcs versus a polygonal approximation
.. only:: builder_html
This example requires :download:`basic_units.py <basic_units.py>`
"""
from basic_units import cm
import numpy as np
from matplotlib import patches
import matplotlib.pyplot as plt
# nodebox section
if __name__ == '__builtin__':
# were in nodebox
import os
import tempfile
W = 800
inset = 20
size(W, 600)
plt.cla()
plt.clf()
plt.close('all')
def tempimage():
fob = tempfile.NamedTemporaryFile(mode='w+b', suffix='.png', delete=False)
fname = fob.name
fob.close()
return fname
imgx = 20
imgy = 0
def pltshow(plt, dpi=300):
global imgx, imgy
temppath = tempimage()
plt.savefig(temppath, dpi=dpi)
dx,dy = imagesize(temppath)
w = min(W,dx)
image(temppath,imgx,imgy,width=w)
imgy = imgy + dy + 20
os.remove(temppath)
size(W, HEIGHT+dy+40)
else:
def pltshow(mplpyplot):
mplpyplot.show()
# nodebox section end
xcenter, ycenter = 0.38*cm, 0.52*cm
width, height = 1e-1*cm, 3e-1*cm
angle = -30
theta = np.deg2rad(np.arange(0.0, 360.0, 1.0))
x = 0.5 * width * np.cos(theta)
y = 0.5 * height * np.sin(theta)
rtheta = np.radians(angle)
R = np.array([
[np.cos(rtheta), -np.sin(rtheta)],
[np.sin(rtheta), np.cos(rtheta)],
])
x, y = np.dot(R, np.array([x, y]))
x += xcenter
y += ycenter
###############################################################################
fig = plt.figure()
ax = fig.add_subplot(211, aspect='auto')
ax.fill(x, y, alpha=0.2, facecolor='yellow',
edgecolor='yellow', linewidth=1, zorder=1)
e1 = patches.Ellipse((xcenter, ycenter), width, height,
angle=angle, linewidth=2, fill=False, zorder=2)
ax.add_patch(e1)
ax = fig.add_subplot(212, aspect='equal')
ax.fill(x, y, alpha=0.2, facecolor='green', edgecolor='green', zorder=1)
e2 = patches.Ellipse((xcenter, ycenter), width, height,
angle=angle, linewidth=2, fill=False, zorder=2)
ax.add_patch(e2)
fig.savefig('ellipse_compare')
###############################################################################
fig = plt.figure()
ax = fig.add_subplot(211, aspect='auto')
ax.fill(x, y, alpha=0.2, facecolor='yellow',
edgecolor='yellow', linewidth=1, zorder=1)
e1 = patches.Arc((xcenter, ycenter), width, height,
angle=angle, linewidth=2, fill=False, zorder=2)
ax.add_patch(e1)
ax = fig.add_subplot(212, aspect='equal')
ax.fill(x, y, alpha=0.2, facecolor='green', edgecolor='green', zorder=1)
e2 = patches.Arc((xcenter, ycenter), width, height,
angle=angle, linewidth=2, fill=False, zorder=2)
ax.add_patch(e2)
fig.savefig('arc_compare')
pltshow(plt)
|
Conventions & Fan Expo! Jeff Smith! Emily Strange!
On the subject of conventions and whatnot, Marvel's 70th anniversary is August 11th, and there will be events at local comic shops, as well as comics creator appearances (and guys in costumes, too) at select Barnes & Noble stores in New York, Los Angeles, Atlanta, Portland, and Seattle.
Finally, some other feature articles here on new comics from the past little while: I took a look at Jeff Smith's RASL, an excellent continuing series, and the beginning of Emily the Strange: The 13th Hour, which isn't quite in the same league, alas. You'll just have to click the links above, then read the reviews to find out why.
|
# Copyright (C) 2014 Google Inc. All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above
# copyright notice, this list of conditions and the following disclaimer
# in the documentation and/or other materials provided with the
# distribution.
# * Neither the name of Google Inc. nor the names of its
# contributors may be used to endorse or promote products derived from
# this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
import optparse
from blinkpy.common import exit_codes
from blinkpy.common.system.executive_mock import MockExecutive
from blinkpy.web_tests.models import test_run_results
from blinkpy.web_tests.port import browser_test
from blinkpy.web_tests.port import browser_test_driver
from blinkpy.web_tests.port import port_testcase
class _BrowserTestTestCaseMixin(object):
def test_driver_name_option(self):
self.assertTrue(self.make_port()._path_to_driver().endswith(self.driver_name_endswith))
def test_default_timeout_ms(self):
self.assertEqual(self.make_port(options=optparse.Values({'configuration': 'Release'})).default_timeout_ms(),
self.timeout_ms)
self.assertEqual(self.make_port(options=optparse.Values({'configuration': 'Debug'})).default_timeout_ms(),
3 * self.timeout_ms)
def test_driver_type(self):
self.assertTrue(isinstance(self.make_port(options=optparse.Values({'driver_name': 'browser_tests'})
).create_driver(1), browser_test_driver.BrowserTestDriver))
def test_web_tests_dir(self):
self.assertTrue(self.make_port().web_tests_dir().endswith('chrome/test/data/printing/layout_tests'))
def test_virtual_test_suites(self):
# The browser_tests port do not use virtual test suites, so we are just testing the stub.
port = self.make_port()
self.assertEqual(port.virtual_test_suites(), [])
def test_path_to_apache_config_file(self):
pass
class BrowserTestLinuxTest(_BrowserTestTestCaseMixin, port_testcase.PortTestCase):
port_name = 'linux'
port_maker = browser_test.BrowserTestLinuxPort
os_name = 'linux'
os_version = 'trusty'
driver_name_endswith = 'browser_tests'
timeout_ms = 10 * 1000
class BrowserTestWinTest(_BrowserTestTestCaseMixin, port_testcase.PortTestCase):
port_name = 'win'
port_maker = browser_test.BrowserTestWinPort
os_name = 'win'
os_version = 'win7'
driver_name_endswith = 'browser_tests.exe'
timeout_ms = 20 * 1000
class BrowserTestMacTest(_BrowserTestTestCaseMixin, port_testcase.PortTestCase):
os_name = 'mac'
os_version = 'mac10.11'
port_name = 'mac'
port_maker = browser_test.BrowserTestMacPort
driver_name_endswith = 'browser_tests'
timeout_ms = 20 * 1000
def test_driver_path(self):
test_port = self.make_port(options=optparse.Values({'driver_name': 'browser_tests'}))
self.assertNotIn('.app/Contents/MacOS', test_port._path_to_driver())
|
Mirador Television is a Web TV service for the tiny towns of SE England from Brighton to Battle.
Mirador is a division of i2i TV Productions Ltd., producer of feature, documentary and magazine programs for UK international television.
Email us with your thoughts and suggestions at [email protected].
|
#!/usr/bin/python
import re
def calculate(num1,num2,op):
if op == "+":
return str(num1+num2)
elif op == "-":
return str(num1-num2)
elif op == "*":
return str(num1*num2)
elif op == "/" and num2>0:
return str(num1/num2)
def evalRPN(List):
if len(List) == 3 and List[0].isdigit() and List[1].isdigit() and re.match('[\+\-\*\/]',List[2]):
return calculate(int(List[0]),int(List[1]),List[2])
else:
preList=[]
for i in range(len(List)-3):
if List[i].isdigit() and List[i+1].isdigit() and re.match('[\+\-\*\/]',List[i+2]):
preList.append(calculate(int(List[i]),int(List[i+1]),List[i+2]))
preList.extend(List[i+3:])
return evalRPN(preList)
else:
preList.append(List[i])
result = evalRPN(["1","2","+"])
print "Simple result: ",result
testList =[
["5","1","2","+","4","*","+","3","-"],
["4","13","5","/","+"],
["2","1","+","3","*"],
]
for testL in testList:
tResult = int(evalRPN(testL))
print "RPN result:\t",tResult
|
How might one characterize Ceulemans’ work? What is special about it? On the one hand, the paintings are delightfully simple because you immediately recognize unusual, isolated, deliberately clumsy or very skilful touches, interventions or additions, which conjure up their own pictorial space because of their mutual relationship and their relationship with the background or with a figurative element. At the same time, the paintings are complex, because in just about every work you can count to five, to seven or to seventeen. The painter Walter Swennen once told me that in a good painting you can always count to three. This is certainly true of many paintings. Seen from that angle, Ceulemans’ works first strike you as having been made by a painter ‘who doesn’t know when to stop’. It is as if he has added more elements than are necessary to arrive at a successful pictorial space. Look carefully, however, and you'll see that while the resulting pictorial space is complex, it is also transparent and light. The paintings are not clogged. They create the illusion of depth. They evoke a sort of ‘stacked up’ space, which might be described as a visual climbing frame.
- Your paintings conjure up a pictorial space by means of fields of colour, stripes and messy brushstrokes, sometimes by means of a figurative element. Some of your strokes remind me of the highlights Joris Ghekiere applies with a brush attached to a drill.
Ceulemans: Yes, I know those highlights. They’re amazing.
- Here, where you would normally expect a highlight, you’ve painted a beige spot. The background is fluorescent vermillion. That’s a nice touch. The highlight is darker than the background: a sort of negative highlight.
Ceulemans: The advantage of fluorescent colours is that the onlooker understands that the painting is not trying to be realistic. I also like to make fluorescent colours vibrate with non-fluorescent colours, so that they change character. Here the result is a sort of Rothko on acid… The work of the painter Pierre Soulages, where light and dark carry equal weight, helped me make and assess the almost white highlight in that fluorescent area, which nevertheless suddenly turns out to be darker than the fluorescent area. Black dominates in Soulages’ work, but the white of the ground is just as important and occasionally even essential. A traditional or academic painter adds the highlights at the end. They are not vestiges of an earlier layer breaking through here and there, but strokes placed so as to illuminate certain areas. I enjoy reversing these things. The idea of ‘negative highlights’, as you call them, amuses and inspires me.
- You make comical stains.
Ceulemans: Sometimes I spend ten minutes working on a small stain. I keep on rubbing, trying to work it into the canvas so that the edges lose their definition and stand out.
- Here you conjure up the image of a field of reeds by means of a whole host of choppy strokes in three different colours.
Ceulemans: I wanted to paint a stretch of grass, but it didn�ft work. I ended up with a field of reeds.
- A virtuoso, illusionistic effect reminiscent of the Impressionists or of Van Gogh. At the same time the brushstrokes are so far apart that from close to they seem to float in a void. It looks as if you put them there to conjure up a dark void. The addition of the white touches shimmering against the brown background evidently gives your canvas depth.
Ceulemans: Those touches also serve as a contrast to the almost mechanical, overworked areas which in the top half of the painting create the image of a building. It�fs a good example of a contrast you can�ft think up in advance. If I try to plan something, the painting goes wrong. I don't plan. I look at the result of a gesture and then I try to counter it.
- The result is often a hollow piling up of minimal gestures, like a stripe created as a crevice between two added layers, which might suggest an architectural element like the corner of a building.
Ceulemans: I love color field painting, but that’s not what I’m aiming at. I try to evoke a space which I paint very flat, allowing the spectator to approach it from different standpoints.
- How do you begin a painting? Do you use gesso?
Ceulemans: I like to apply a first element as something to react to. Sometimes I use acrylics mixed with ink and sometimes coloured gesso, which usually produces a sort of pastel colour. The more dissimilar the ground in terms of colour and texture, the better. Different formats and stretchers of various thicknesses can also help get me started. Acrylics mixed with Indian ink or airbrush ink produce very runny, but highly pigmented paint which I really like working with. The pigment in that ink dissolves much more finely than you could possibly grind or mix it yourself. Unfortunately I can only get small bottles from my supplier now. I sometimes mix those inks with acrylics to give them density. That way I can also apply different strokes and I can work wet in wet.
- In this painting you did use a white ground.
Ceulemans: Yes, but it took me months. The white gives it a sort of freshness.
- How did you make this smudge?
Ceulemans: To make a smudge like that, I go backwards and forwards 500 times with a fairly hard, hog’s bristle brush. There’s often a gradation in it, which I paint with a softer, synthetic brush. These are attempts to paint like someone who can’t paint.
- I have the impression you sometimes lay your paintings down flat to paint them, otherwise there would be many more drips (because you work with very liquid paint).
Ceulemans: You’re right. I often paint on flat canvases. Flat canvases provide a different perspective; you relate differently to the painting. Sometimes you are in for a surprise when you hang the canvas up, but that tension is all part of the process.
- Here you use a flesh colour for an abstract section.
Ceulemans: I don’t think I would use flesh colour to paint people, but it works for a background.
- Why do you so often go for indefinable colours, colours that don’t trigger associations?
Ceulemans: I don’t want to make pure work. I don’t like pure ideas and pure execution. My work sets out to comment on the work itself. So it may come across as too double or too full, but to me that ambiguity is necessary. That’s the way the world appears to me and that’s how I look at the world. The ‘over-fullness’ is intentional.
- How would you describe this colour?
Ceulemans: It’s ochre with a dash of blue ink mixed in so that the ochre turns greenish, bluish. But actually it’s very difficult to define a colour. This area, for example, is painted very opaquely; it is more thickly covered than the other areas. It makes the colour look different. The other thing is that a colour is always influenced by the colours around it and by the way they are applied.
- The edges of your paintings often contain little accents or even essentials.
Ceulemans: Do you go right to the edge, do you stop just before or do you go over it? I want to make these options tangible, not for compositional reasons but to reveal the thinking behind and about a painting.
- I like the obvious vestiges of a bottom layer on the edges of your paintings. At first glance they suggest sloppiness, but then you see that they were applied afterwards, in a rough and humorous sort of way.
Ceulemans: People look first at silhouettes and contours and then at what’s inside a form. They enter the painting from the edge. That’s why it’s nice to have something tremble, explode or burst on the edge.
- They are elements which seem to serve as a sort of bogus starting point for a first, superficial reading of the painting.
Ceulemans: The genesis of a painting is part of its total makeup. It�fs a feature like colour or form. That�fs how I came up with the idea of influencing the overall shape of a painting by giving it a bogus history. I might do this by applying a thick layer of paint to the side of a painting to give the impression of numerous preparatory layers under the surface.
- In this painting you painted over a pink section with a different pink.
Ceulemans: The painting was finished and then the cat walked over it! It was covered in paw marks. She didn�ft walk over it in a felicitous way and so suddenly the painting was dead. After a while I decided to overcome that setback and I corrected the pink part but in such as way that you could see what I had done. The cover-up was executed in a deliberately rough-and-ready way.
The most important question I ask myself is: what is the most unlikely thing I can do on this canvas without resorting to gimmicks? Because I could of course cut the canvas up, but that doesn�ft interest me. How can you make a painting a meta-painting? That�fs what it�fs all about. In a purely figurative painting nothing is left to the spectator�fs imagination. But what would be sufficient motivation to create an abstract painting? You can see that it still needs something, but what? Sometimes you are overcome by despair because you can�ft see any solution. I completed the painting you see here with a calligraphic element. That sort of thing doesn�ft usually work, because the painting starts to revolve around the last gesture. But here it�fs in proportion. It�fs often a question of striking a balance: how can I put a line very clearly on the canvas and yet still have it suggest something?
- By making the line sharp on one side and leaving the other side hazy.
- Here you use the outline of a car as a figurative starting point.
Ceulemans: I studied product development for a year. It�fs a product drawing. The prototype as abstract matter. Here the abstraction is created by the juxtaposition of lines. The lines suggest an unrealistic space. This first dawned on me in 2008.
- You have a tendency to exploit the adventure of each painting to the full.
Ceulemans: How complete do you want to be in a single painting? That�fs a really important question. Only since February of this year have I understood how this can work. I now understand that I don�ft have to pack everything into each work, that collectively my paintings tell a story.
- Would you name a painter whose work you like?
I trained as an illustrator and as such worked for two well-known weeklies. But I stopped… I spent most of the next few years reading: Nietzsche, Montaigne, Bataille, Derrida, Deleuze, Heidegger, Adorno, Horkheimer, Peter Sloterdijk and Guy Debord, who offered an attitude to life rather than a philosophy. I was living near the library in Ghent. I�fm really glad I read so much then, because now I just can�ft do it. I can�ft read and paint at the same time.
- Have you also read novels?
- Like a flesh-coloured background in one of your paintings?
Ceulemans: Indeed. A reversal that is unexpected but leaves a lasting impression. An ambiguous world to walk through.
|
# Generated by Django 2.2.6 on 2019-10-10 08:35
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
initial = True
dependencies = [
('bot', '0001_initial'),
('crowdfunding', '0001_initial'),
('moderation', '0001_initial'),
('conversation', '0001_initial'),
('sites', '0001_initial'),
]
operations = [
migrations.CreateModel(
name='Community',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('name', models.CharField(max_length=101, unique=True)),
('active', models.BooleanField(default=False)),
('created', models.DateTimeField(auto_now_add=True)),
('account', models.OneToOneField(on_delete=django.db.models.deletion.CASCADE, to='bot.Account')),
('crowdfunding', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, related_name='community', to='crowdfunding.Project')),
('hashtag', models.ManyToManyField(to='conversation.Hashtag')),
('membership', models.ManyToManyField(related_name='member_of', to='moderation.Category')),
('site', models.ForeignKey(null=True, on_delete=django.db.models.deletion.PROTECT, related_name='community', to='sites.Site')),
],
options={
'verbose_name_plural': 'communities',
},
),
]
|
The book carried by the Dean of Sacred Heart Cathedral, Fr Andrew Doohan, to the farewell lunch for Chaplain to Seafarers, Rick McCosker, was titled “Blessings and Prayers for Home and Family”. It was exceedingly apt, since for many, the Mission to Seafarers (Stella Maris), is a home away from home, and the volunteers they encounter are family away from home.
In 2012, Rick McCosker was a recent graduate of the Tenison Woods Education Centre’s Christian Formation Course when he was invited to consider becoming chaplain of the Mission at Wickham. He told the group of friends and fellow volunteers gathered to wish him well that it was evidence of God’s sense of humour, since he was uncomfortable with heights (think gangplanks) and prone to seasickness!
However, he decided to accept the invitation, in spite of doubts, thanks to the encouragement of his wife (and about-to-be fellow volunteer) Meryl.
In the four years that have elapsed, he has connected with hundreds of seafarers, learned a great deal, particularly about the challenges of life at sea, and supported volunteers in providing a place of warmth, respite, refreshment and prayer – as well as vital access to technology for communicating with home.
Before a delicious lunch, Fr Andrew led a prayer of blessing as all extended their hands over Rick. No doubt this retiring chaplain will continue praying the prayer he prays each morning, before his feet hit the ground.
"God, keep me mindful all day what a wonderful thing it is to have a new day to live."
Learn more about chaplaincy in the Diocese of Maitland-Newcastle and visit the Mission to Seafarers.
|
# -*- coding: utf-8 -*-
import os
# min string edit distance dynamic programming example
def minEditDistance(s1, s2):
"""Compute minimum edit distance converting s1 -> s2"""
m = {}
len1 = len(s1)
len2 = len(s2)
maxlen = max(len1, len2)
m = [None] * (len2 + 1)
for i in range(len2 + 1):
m[i] = [0] * (len1 + 1)
# set up initial costs on horizontal
for j in range(1, len1 + 1):
m[0][j] = j
# now prepare costs for vertical
for i in range(1, len2 + 1):
m[i][0] = i
# compute best
for i in range(1, len2 + 1):
for j in range(1, len1 + 1):
cost = 1
if s1[j - 1] == s2[i - 1]:
cost = 0
# cost of changing [i][j] character
# cost of removing character from sj
# cost of adding character to si
replaceCost = m[i - 1][j - 1] + cost
removeCost = m[i - 1][j] + 1
addCost = m[i][j - 1] + 1
m[i][j] = min(replaceCost, removeCost, addCost)
return m[len2][len1]
os.system("pause")
|
Thread: Answers to WTFWTK 2.81!
Check out their answers to your Round 81 questions!
This round of questions were selected by Arvulis.
1. Captain Mendoc & Toymaker: We are subscribed to Club Eternia and receive emails and the newsletter from Matty. At the time of writing this, it's been over 3 days since people started receiving their Mekaneck reveal email and some people still have not received it. Apparently, the email states that there will be more subscriber-exclusive content to come by email in the future. What can be done to ensure that we and others receive this information promptly?
If you did not receive the email, please just call CS to have them note and correct this if you are a sub holder!
2. TheFallen: Has there been any further internal discussions about doing specialty release figures to include into MOTUC from other properties, such as Bravestarr and Blackstar?
No. We do not currently have the rights to either of these properties.
3. Coptur: I’ve been looking over the Mattycollector website reading all the write ups for each character and noticed that you’ve snuck in extra bits about the characters not in the bios. We know the Sword of He and the Sword of Rakesh have powers. Do the Sword of Gaz (Vikor), the Sword of Saz (Chief Carnivus), Assassin Sword (Tri-Klops), Smasher Sword (Fisto) & the Scythe of Doom (Scareglow) have any magical elements or are they just ancestral weapons?
We do this very much on purpose. Without new entertainment (like a cartoon series) we maximize all the space we have from bios to product descriptions to get out as much info as we can! As for your specific question on magic properties, you'll need to wait and see what developes!
4. Arvulis: Any chance for specific Filmation slots or a Filmation subscription? Or will Filmation characters will be randomly released between the other factions (Horde, Snakeman, Heroic etc...)?
No, we don't have a separate Filmation sub in the plans. Filmation characters will be in sprinkled into the main sub just like any other faction starting in 2013.
5. Niki: The original idea for New Adventures He-Man was that everyone knows he is Adam and there is no more secrecy. But in Jetlag's cartoon, Adam kept his secret identity. Which is true for the MOTUC canon?
You'll find out in time!
Click here to ask questions in Round 83!
And, have fun discussing Mattel's answers to your Round 81 questions!
I was kind of hoping they'd do a Filmation subscription, but I can see why they'd want to make it a selling point of the regular subscription.
Boo @ no Filmation sub.
I was thinking about the Bravestarr and Blackstar question myself, I wonder if they are even interested in the rights to those properties.
See at this point I would rather have a Filmation sub, and remove beasts, and giants from the 2013 sub. Only for 2013 mind. Not saying forever. This year has been quite expensive (And sadly plagued by quality issues and stock problems, not all Mattel's fault) and I'd like a breather. Quarterly Variants and a quarterly Filmation sub, much like the 30th anniversary would be just the ticket.
This is interesting. I did not know this.
[I]This is interesting. I did not know this.
I thought it would be an interesting question and i was suprised that no-one else had mentioned this before. so the answer is "we don't know yet" which i think is cool.
It is. I'm not sure if had been mentioned before.
Where are you seeing these write-ups? I'm not a member so this may make a difference to me not finding them.
look at mattycollector.com click on each character and some of their weapons are named or have other lil pieces of info.
While I wouldn't mind a few Blackstar or Bravestarr characters in the line, they'd have to write another check to Classic Media (or to whomever has the rights) and they already have a lot of MOTU characters to get to, so I doubt Matty will.
I like the answer on the FM sub, there are still a lot of beasts & steeds I want to see, specially Charger & Battle Lion and more of the POP horses!
I didn't know Mattel did not have Bravestarr rights, I think Galoob had those. I'm doing some early research for a coffee table book project on 80s toy lines. I'm finding all kinds of crazy stuff I didnt know existed like an old MOTU vcr game that came with a 13" power sword or that Mattel had golf cart sized Wheeled Warriors built up for a mall tour.
One of the best lines I heard recently was on a robot toy centric podcast. The guy mentioned Mattel should seek rights to Sectaurs and stick the 4 Horsemen on it!!! Those would look sick!!!
I've seen this question come up before about Blackstar and Bravestarr. No offense to those who like that property, but I think it's a horrible idea. Neither one of them had anything to do with MOTU and I really don't want to see characters for that property shoehorned into classics. We have enough issues with tooling resources as it is, and I'd hate to see those resources go to anything that had no connection to MOTU or POP.
Most wanted: Starburst She-ra, Lodar, Vintage Toy Catra, Lady Slither, and the Great Black Wizard!
Arvulis: Any chance for specific Filmation slots or a Filmation subscription? Or will Filmation characters will be randomly released between the other factions (Horde, Snakeman, Heroic etc...)?
And this is the only real answer we get this time around !
Now, we know for sure there won't be a Filmation sub.
One real answer out of 5 questions... We're now officially ready for the SDCC reveals, and then more months of non-answers, no doubt.
A Blackstar statue is in an episode of He-Man (and I think a few other references are as well) and it's widely speculated that Rio-Blast is from the same world as Bravestarr. Someone posted Rio's origin story in a UK He-Man comic a while back and it's pretty interesting! I just can't remember if it 100% confirmed he's from Bravestarr's world or not.
I think fans want to see toyline characters coming out without Filmation characters taking their slots. Filmation characters in the regular 12 month allotment means less vintage, POP, NA or 200X to accommodate the new faction.
It's the Filmation link. Blackstarr could have been a pilot who knew Marlena Glenn. Or Marlena went out into space to look for Blackstarr and wound up getting lost herself. It's been long theorized that Bravestarr could have been a Galactic Marshall with Rio Blast. In fact, Rio Blast could have possibly been some sort of early Bravestarr design before getting used in Masters.
I'm not making an international call just to get e-mails that I should be getting anyway!
Wasn't it also stated somewhere (I forget where exactly) that at one point back in the Filmation days there was some consideration being put into having He-Man cross-over and make appearances on Bravestarr or something like that? There was talk of connecting them together, but it just never came to fruition.
Yes...I've heard that He-Man was supposed to be one of Bravestarr's influences or role models.
I dont know why mattel is so allergic taking money.
Sectaurs were great and the 4H would do a bang up job on them - I have no doubt.
I don't really want Blackstar or Bravestarr in MOTUC either. I think this line needs to refocus a bit after this 30th anniversary character expansion of the universe. I can only imagine how they'd explain these new characters. I personally think the line expanded too fast in 2012 and needs to take a step back to shore up the foundations a bit. It would be cool to have figures from other lines done in the MOTUC style, for sure, if Mattel would just let them be figures. But they have to write them in to the mythos, and I'm against that. It makes the storyline less-organic, sillier, makes it harder to take seriously. Sure it's fun, but I don't like the trade-off.
That's just me though. I can understand why others feel differently.
I did this and got told I could not be assisted as it was not a product query. Not impressed.
There may be a road map, but it always gets bumped along, Filmation is no less important to MOTU than anything else, more so to many than any other. I didn't see many complaints that Shadow Weaver was shoehorned in, only the fact that she should not have been the sub figure, and there are other Filmation characters that many feel just as important. Only bad thing is if the line were to end, not getting all the Vintage figures made, but then again, there is well more to MOTU than the Vintage figures....although they are the most vital.
Yes, the question has been asked before but a lot of things have been happening since then so I wanted to know if there had been any further discussions on it.
|
from datetime import datetime, timedelta
from django.core.management.base import BaseCommand
from kitsune.questions.models import Question, QuestionVote
from kitsune.questions.tasks import update_question_vote_chunk
from kitsune.sumo.utils import chunked
class Command(BaseCommand):
help = "Keep the num_votes_past_week value accurate."
def handle(self, **options):
# Get all questions (id) with a vote in the last week.
recent = datetime.now() - timedelta(days=7)
q = QuestionVote.objects.filter(created__gte=recent)
q = q.values_list('question_id', flat=True).order_by('question')
q = q.distinct()
q_with_recent_votes = list(q)
# Get all questions with num_votes_past_week > 0
q = Question.objects.filter(num_votes_past_week__gt=0)
q = q.values_list('id', flat=True)
q_with_nonzero_votes = list(q)
# Union.
qs_to_update = list(set(q_with_recent_votes + q_with_nonzero_votes))
# Chunk them for tasks.
for chunk in chunked(qs_to_update, 50):
update_question_vote_chunk.apply_async(args=[chunk])
|
Sycamore School is a complete on-line student administration system specifically designed for PreK-12 faculties. This is largely because of Sycamore having the very best integration with GAFE potential by a school management system, so faculties have the tools and resources to considerably enhance the value of instructing and training. The capital city boasts café lined grand avenues and cobbled again-streets in a mode as that of Europe, a buzzing night time life and lots of locations of interest.
Based mostly upon the type of Alexander Jackson Davis, then the best American architect of the romantic movement, the house itself was redesigned with porches, wings, and balustrades throughout a dual-part course of which commenced in 1842 and later in 1860, rendering it the classical revival example it is today.
The new partnership will permit customers of Sycamore’s pupil information system, Sycamore Faculty, the ability to share data from Sycamore to other academic applications, reminiscent of Google Apps, Scholastic, and many others utilizing the expertise created by Intelligent.
Google faculties save time, cash, enhance educational performance, and further put together students for the digital world they’ll inevitably discover themselves in. Sycamore will continue to accomplice with firms like AppsEvents which can be dedicated to creating training and know-how a prime priority.
By Connecting the Sycamore class page with their Google Classroom website, academics can use tools provided by every program utilizing data already obtainable. Faculty and Classroom Images – View all the photos that teachers have uploaded to their classroom homepages – subject trips, class projects and so on.
← Previous Previous post: What Are The Perks Of On-line Laptop Programs?
|
# project/server/admin/views.py
#################
#### imports ####
#################
import datetime
from flask import render_template, Blueprint, url_for, \
redirect, flash, request, make_response, abort, jsonify
from flask_login import login_required
from werkzeug.debug import get_current_traceback
from sqlalchemy import and_
from .forms import LanguageForm, LanguageModForm, LexiconForm, LexiconSearchForm
from .. import db
from ..models import Lexicon, Language, Translation, Permission, ProductLexicon, Product
from ..config import BaseConfig
from ..utils import datetime_utcnow, Audit, get_value_with_fallback
from ..decorators import admin_required, permission_required
################
#### config ####
################
LEXICON_BLUEPRINT = Blueprint('lexicon', __name__,)
##################
#### language ####
##################
@LEXICON_BLUEPRINT.route('/language', methods=['GET', 'POST'])
@login_required
@permission_required(Permission.POWERUSER)
def language():
form = LanguageForm(request.form)
if form.validate_on_submit():
try:
lang = Language(
locale_code=form.locale_code.data,
description=form.description.data,
description_en=form.description_en.data
)
db.session.add(lang)
db.session.commit()
flash('Thank you for adding language.', 'success')
except:
db.session.rollback()
flash('Something went wrong when adding language.', 'danger')
languages = Language.query.all()
return render_template('lexicon/language.html', form=form, languages=languages)
@LEXICON_BLUEPRINT.route('/language/mod/<locale_code>', methods=['POST', 'GET'])
@LEXICON_BLUEPRINT.route('/language/mod/', methods=['POST'])
@login_required
@permission_required(Permission.POWERUSER)
def mod_language(locale_code=None):
if request.method == 'GET':
lang = Language.query.filter_by(locale_code=locale_code).first()
form = LanguageModForm(obj=lang)
if request.method == 'POST':
form = LanguageModForm(request.form)
locale_code=form.locale_code.data
lang = Language.query.filter_by(locale_code=locale_code).first()
#this will run for POST only
if form.validate_on_submit():
try:
lang.description=form.description.data
lang.description_en=form.description_en.data
lang.mod_date=datetime_utcnow()
lang.process_code=Audit.PROCESS_WEB
lang.process_status=Audit.STATUS_SUCCESS
db.session.commit()
flash('Thank you for saving language.', 'success')
except:
db.session.rollback()
flash('Something went wrong when saving language.', 'danger')
languages = Language.query.all()
return render_template('lexicon/language.html', form=form, languages=languages, locale_code=locale_code)
@LEXICON_BLUEPRINT.route('/language/del/<locale_code>', methods=['GET'])
@login_required
@permission_required(Permission.POWERUSER)
def del_language(locale_code):
lang = Language.query.filter_by(locale_code=locale_code).first()
try:
db.session.delete(lang)
db.session.commit()
flash('Language deleted.', 'info')
except:
track = get_current_traceback(skip=1, show_hidden_frames=True, ignore_system_exceptions=False)
track.log()
db.session.rollback()
flash('Something went wrong when deleting language.', 'danger')
return redirect(url_for('lexicon.language'))
##################
#### lexicon #####
##################
@LEXICON_BLUEPRINT.route('/items', methods=['GET'])
@LEXICON_BLUEPRINT.route('/items/<int:page>', methods=['GET'])
@login_required
@permission_required(Permission.POWERUSER)
def items(page=1):
"""Return all items."""
form = LexiconSearchForm()
description = get_value_with_fallback("lexicon_description")
if request.method == 'GET':
if description:
form.lexicon_description.data = description
lexicons = Lexicon.query.filter(Lexicon.description.like("%"+description+"%")).order_by(Lexicon.description).paginate(page,BaseConfig.PRODUCTS_PER_PAGE,error_out=False)
else:
lexicons = Lexicon.query.order_by(Lexicon.description).paginate(page,BaseConfig.PRODUCTS_PER_PAGE,error_out=False)
response = make_response(render_template('lexicon/items.html', form=form, lexicons=lexicons))
expires = datetime.datetime.now() + datetime.timedelta(days=365)
if description:
response.set_cookie("lexicon_description", description, expires=expires)
return response
@LEXICON_BLUEPRINT.route('/item', methods=['GET', 'POST'])
@login_required
@permission_required(Permission.POWERUSER)
def newitem():
"""Empty form setup."""
form = LexiconForm()
form.products.choices = []
return render_template('lexicon/item.html', form=form)
@LEXICON_BLUEPRINT.route('/item/<lexicon_id>', methods=['GET'])
@login_required
@permission_required(Permission.POWERUSER)
def item(lexicon_id):
"""display lexicon"""
lexicon = Lexicon.query.filter_by(lexicon_id=lexicon_id).first()
if lexicon:
form = LexiconForm(obj=lexicon)
for t in lexicon.translations:
form.locale_code.data=t.locale_code
form.translation_description.data=t.description
break
form.products.choices = [(p.product_id, p.product_code, True) for p in lexicon.products]
return render_template('lexicon/item.html', form=form, lexicon_item=lexicon)
@LEXICON_BLUEPRINT.route('/save', methods=['POST'])
@login_required
@permission_required(Permission.POWERUSER)
def save():
"""Add or modify Lexicon data"""
form = LexiconForm(request.form)
if form.validate_on_submit():
lexicon = Lexicon.query.filter_by(lexicon_id=form.lexicon_id.data).first()
translation = Translation.query.filter(and_(Translation.lexicon_id == form.lexicon_id.data, Translation.locale_code == form.locale_code.data)).first()
try:
if translation:
translation.description = form.translation_description.data
translation.mod_date = datetime_utcnow()
translation.process_code = Audit.PROCESS_WEB
translation.process_status = Audit.STATUS_SUCCESS
else:
translation = Translation(
locale_code=form.locale_code.data,
description=form.translation_description.data,
)
if lexicon:
if translation not in lexicon.translations:
lexicon.translations.append(translation)
lexicon.description=form.description.data
lexicon.tags=form.tags.data
lexicon.lexicon_type_code=form.lexicon_type_code.data,
lexicon.mod_date=datetime_utcnow(),
lexicon.process_code=Audit.PROCESS_WEB,
lexicon.process_status=Audit.STATUS_SUCCESS
else:
lexicon = Lexicon(
lexicon_type_code=form.lexicon_type_code.data,
description=form.description.data,
tags=form.tags.data
)
lexicon.translations.append(translation)
db.session.add(lexicon)
if form.products.data:
lexicon.products[:] = []
for product_id in form.products.data:
product = Product.query.filter_by(product_id=int(product_id)).first()
if product:
productlexicon = ProductLexicon(
lexicon_id=form.lexicon_id.data,
product_id=product.product_id,
product_code=product.product_code
)
lexicon.products.append(productlexicon)
form.products.choices = [(p.product_id, p.product_code, True) for p in lexicon.products]
else:
lexicon.products[:] = []
form.products.choices = []
flash('Thank you for saving lexicon.', 'success')
db.session.commit()
except:
track = get_current_traceback(skip=1, show_hidden_frames=True, ignore_system_exceptions=False)
track.log()
db.session.rollback()
flash('Something went wrong when adding new customer.', 'danger')
return render_template('lexicon/item.html', form=form)
|
Adverse childhood experiences (ACEs) can negatively affect lifelong health and opportunity. Acquired brain injury (ABI), which includes traumatic brain injury (TBI) as well as other causes of brain injury, is a health condition that affects millions annually. The present study uses data from the 2014 North Carolina Behavioral Risk Factor Surveillance System to examine the relationship between ACEs and ABI. The study sample included 3454 participants who completed questions on both ABI and ACEs. Multivariable logistic regression models were used to determine the relationship between ACEs and ABI as well as ACEs and TBI. Sexual abuse, emotional abuse, physical abuse, household mental illness and household substance abuse were significantly associated with ABI after adjusting for age, race/ethnicity, gender and employment. Compared with those reporting no ACEs, individuals reporting three ACEs had 2.55 times the odds of having experienced an ABI; individuals reporting four or more ACEs had 3.51 times the odds of having experienced an ABI. Examining TBI separately, those who experienced sexual abuse, physical abuse, household mental illness and had incarcerated household members in childhood had greater odds of reported TBI, after adjusting for age, race/ethnicity, gender and income. Respondents reporting three ACEs (AOR=4.16, 95% CI (1.47 to 11.76)) and four or more ACEs (AOR=3.39, 95% CI (1.45 to 7.90)) had significantly greater odds of reporting TBI than respondents with zero ACEs. Prevention of early adversity may reduce the incidence of ABI; however, additional research is required to elucidate the potential pathways from ACEs to ABI, and vice versa.
|
import chardet
import codecs
import collections
import contextlib
import datetime
import errno
import functools
import itertools
import operator
import os
import random
import re
import shutil
import time
import unicodedata
import urllib
import urlparse
import django.core.mail
from django import http
from django.conf import settings
from django.contrib import messages
from django.core import paginator
from django.core.cache import cache
from django.core.files.storage import (FileSystemStorage,
default_storage as storage)
from django.core.serializers import json
from django.core.validators import validate_slug, ValidationError
from django.forms.fields import Field
from django.http import HttpRequest
from django.template import Context, loader
from django.utils import translation
from django.utils.encoding import smart_str, smart_unicode
from django.utils.functional import Promise
from django.utils.http import urlquote
import bleach
import elasticutils.contrib.django as elasticutils
import html5lib
import jinja2
import pyes.exceptions as pyes
import pytz
from babel import Locale
from cef import log_cef as _log_cef
from django_statsd.clients import statsd
from easy_thumbnails import processors
from html5lib.serializer.htmlserializer import HTMLSerializer
from jingo import env
from PIL import Image, ImageFile, PngImagePlugin
import amo.search
from amo import ADDON_ICON_SIZES
from amo.urlresolvers import linkify_with_outgoing, reverse
from translations.models import Translation
from users.models import UserNotification
from users.utils import UnsubscribeCode
from . import logger_log as log
heka = settings.HEKA
days_ago = lambda n: datetime.datetime.now() - datetime.timedelta(days=n)
def urlparams(url_, hash=None, **query):
"""
Add a fragment and/or query paramaters to a URL.
New query params will be appended to exising parameters, except duplicate
names, which will be replaced.
"""
url = urlparse.urlparse(url_)
fragment = hash if hash is not None else url.fragment
# Use dict(parse_qsl) so we don't get lists of values.
q = url.query
query_dict = dict(urlparse.parse_qsl(smart_str(q))) if q else {}
query_dict.update((k, v) for k, v in query.items())
query_string = urlencode([(k, v) for k, v in query_dict.items()
if v is not None])
new = urlparse.ParseResult(url.scheme, url.netloc, url.path, url.params,
query_string, fragment)
return new.geturl()
def isotime(t):
"""Date/Time format according to ISO 8601"""
if not hasattr(t, 'tzinfo'):
return
return _append_tz(t).astimezone(pytz.utc).strftime("%Y-%m-%dT%H:%M:%SZ")
def epoch(t):
"""Date/Time converted to seconds since epoch"""
if not hasattr(t, 'tzinfo'):
return
return int(time.mktime(_append_tz(t).timetuple()))
def _append_tz(t):
tz = pytz.timezone(settings.TIME_ZONE)
return tz.localize(t)
def sorted_groupby(seq, key):
"""
Given a sequence, we sort it and group it by a key.
key should be a string (used with attrgetter) or a function.
"""
if not hasattr(key, '__call__'):
key = operator.attrgetter(key)
return itertools.groupby(sorted(seq, key=key), key=key)
def paginate(request, queryset, per_page=20, count=None):
"""
Get a Paginator, abstracting some common paging actions.
If you pass ``count``, that value will be used instead of calling
``.count()`` on the queryset. This can be good if the queryset would
produce an expensive count query.
"""
p = (ESPaginator if isinstance(queryset, (amo.search.ES, elasticutils.S))
else paginator.Paginator)(queryset, per_page)
if count is not None:
p._count = count
# Get the page from the request, make sure it's an int.
try:
page = int(request.GET.get('page', 1))
except ValueError:
page = 1
# Get a page of results, or the first page if there's a problem.
try:
paginated = p.page(page)
except (paginator.EmptyPage, paginator.InvalidPage):
paginated = p.page(1)
paginated.url = u'%s?%s' % (request.path, request.GET.urlencode())
return paginated
def send_mail(subject, message, from_email=None, recipient_list=None,
fail_silently=False, use_blacklist=True, perm_setting=None,
manage_url=None, headers=None, cc=None, real_email=False,
html_message=None, attachments=None, async=False,
max_retries=None):
"""
A wrapper around django.core.mail.EmailMessage.
Adds blacklist checking and error logging.
"""
from amo.helpers import absolutify
from amo.tasks import send_email
import users.notifications as notifications
if not recipient_list:
return True
if isinstance(recipient_list, basestring):
raise ValueError('recipient_list should be a list, not a string.')
# Check against user notification settings
if perm_setting:
if isinstance(perm_setting, str):
perm_setting = notifications.NOTIFICATIONS_BY_SHORT[perm_setting]
perms = dict(UserNotification.objects
.filter(user__email__in=recipient_list,
notification_id=perm_setting.id)
.values_list('user__email', 'enabled'))
d = perm_setting.default_checked
recipient_list = [e for e in recipient_list
if e and perms.setdefault(e, d)]
# Prune blacklisted emails.
if use_blacklist:
white_list = []
for email in recipient_list:
if email and email.lower() in settings.EMAIL_BLACKLIST:
log.debug('Blacklisted email removed from list: %s' % email)
else:
white_list.append(email)
else:
white_list = recipient_list
if not from_email:
from_email = settings.DEFAULT_FROM_EMAIL
if cc:
# If not basestring, assume it is already a list.
if isinstance(cc, basestring):
cc = [cc]
if not headers:
headers = {}
def send(recipient, message, **options):
kwargs = {
'async': async,
'attachments': attachments,
'cc': cc,
'fail_silently': fail_silently,
'from_email': from_email,
'headers': headers,
'html_message': html_message,
'max_retries': max_retries,
'real_email': real_email,
}
kwargs.update(options)
# Email subject *must not* contain newlines
args = (recipient, ' '.join(subject.splitlines()), message)
if async:
return send_email.delay(*args, **kwargs)
else:
return send_email(*args, **kwargs)
if white_list:
if perm_setting:
html_template = loader.get_template('amo/emails/unsubscribe.html')
text_template = loader.get_template('amo/emails/unsubscribe.ltxt')
if not manage_url:
manage_url = urlparams(absolutify(
reverse('users.edit', add_prefix=False)),
'acct-notify')
for recipient in white_list:
# Add unsubscribe link to footer.
token, hash = UnsubscribeCode.create(recipient)
unsubscribe_url = absolutify(reverse('users.unsubscribe',
args=[token, hash, perm_setting.short],
add_prefix=False))
context_options = {
'message': message,
'manage_url': manage_url,
'unsubscribe_url': unsubscribe_url,
'perm_setting': perm_setting.label,
'SITE_URL': settings.SITE_URL,
'mandatory': perm_setting.mandatory,
}
# Render this template in the default locale until
# bug 635840 is fixed.
with no_translation():
context = Context(context_options, autoescape=False)
message_with_unsubscribe = text_template.render(context)
if html_message:
context_options['message'] = html_message
with no_translation():
context = Context(context_options, autoescape=False)
html_with_unsubscribe = html_template.render(context)
result = send([recipient], message_with_unsubscribe,
html_message=html_with_unsubscribe,
attachments=attachments)
else:
result = send([recipient], message_with_unsubscribe,
attachments=attachments)
else:
result = send(recipient_list, message=message,
html_message=html_message, attachments=attachments)
else:
result = True
return result
def send_mail_jinja(subject, template, context, *args, **kwargs):
"""Sends mail using a Jinja template with autoescaping turned off.
Jinja is especially useful for sending email since it has whitespace
control.
"""
# Get a jinja environment so we can override autoescaping for text emails.
autoescape_orig = env.autoescape
env.autoescape = False
template = env.get_template(template)
msg = send_mail(subject, template.render(context), *args, **kwargs)
env.autoescape = autoescape_orig
return msg
def send_html_mail_jinja(subject, html_template, text_template, context,
*args, **kwargs):
"""Sends HTML mail using a Jinja template with autoescaping turned off."""
autoescape_orig = env.autoescape
env.autoescape = False
html_template = env.get_template(html_template)
text_template = env.get_template(text_template)
msg = send_mail(subject, text_template.render(context),
html_message=html_template.render(context), *args,
**kwargs)
env.autoescape = autoescape_orig
return msg
class JSONEncoder(json.DjangoJSONEncoder):
def default(self, obj):
from versions.models import ApplicationsVersions
unicodable = (Translation, Promise)
if isinstance(obj, unicodable):
return unicode(obj)
if isinstance(obj, ApplicationsVersions):
return {unicode(obj.application): {'min': unicode(obj.min),
'max': unicode(obj.max)}}
return super(JSONEncoder, self).default(obj)
def chunked(seq, n):
"""
Yield successive n-sized chunks from seq.
>>> for group in chunked(range(8), 3):
... print group
[0, 1, 2]
[3, 4, 5]
[6, 7]
"""
seq = iter(seq)
while 1:
rv = list(itertools.islice(seq, 0, n))
if not rv:
break
yield rv
def urlencode(items):
"""A Unicode-safe URLencoder."""
try:
return urllib.urlencode(items)
except UnicodeEncodeError:
return urllib.urlencode([(k, smart_str(v)) for k, v in items])
def randslice(qs, limit, exclude=None):
"""
Get a random slice of items from ``qs`` of size ``limit``.
There will be two queries. One to find out how many elements are in ``qs``
and another to get a slice. The count is so we don't go out of bounds.
If exclude is given, we make sure that pk doesn't show up in the slice.
This replaces qs.order_by('?')[:limit].
"""
cnt = qs.count()
# Get one extra in case we find the element that should be excluded.
if exclude is not None:
limit += 1
rand = 0 if limit > cnt else random.randint(0, cnt - limit)
slice_ = list(qs[rand:rand + limit])
if exclude is not None:
slice_ = [o for o in slice_ if o.pk != exclude][:limit - 1]
return slice_
# Extra characters outside of alphanumerics that we'll allow.
SLUG_OK = '-_~'
def slugify(s, ok=SLUG_OK, lower=True, spaces=False, delimiter='-'):
# L and N signify letter/number.
# http://www.unicode.org/reports/tr44/tr44-4.html#GC_Values_Table
rv = []
for c in smart_unicode(s):
cat = unicodedata.category(c)[0]
if cat in 'LN' or c in ok:
rv.append(c)
if cat == 'Z': # space
rv.append(' ')
new = ''.join(rv).strip()
if not spaces:
new = re.sub('[-\s]+', delimiter, new)
return new.lower() if lower else new
def slug_validator(s, ok=SLUG_OK, lower=True, spaces=False, delimiter='-',
message=validate_slug.message, code=validate_slug.code):
"""
Raise an error if the string has any punctuation characters.
Regexes don't work here because they won't check alnums in the right
locale.
"""
if not (s and slugify(s, ok, lower, spaces, delimiter) == s):
raise ValidationError(message, code=code)
def raise_required():
raise ValidationError(Field.default_error_messages['required'])
def clear_messages(request):
"""
Clear any messages out of the messages framework for the authenticated
user.
Docs: http://bit.ly/dEhegk
"""
for message in messages.get_messages(request):
pass
def clean_nl(string):
"""
This will clean up newlines so that nl2br can properly be called on the
cleaned text.
"""
html_blocks = ['{http://www.w3.org/1999/xhtml}blockquote',
'{http://www.w3.org/1999/xhtml}ol',
'{http://www.w3.org/1999/xhtml}li',
'{http://www.w3.org/1999/xhtml}ul']
if not string:
return string
def parse_html(tree):
# In etree, a tag may have:
# - some text content (piece of text before its first child)
# - a tail (piece of text just after the tag, and before a sibling)
# - children
# Eg: "<div>text <b>children's text</b> children's tail</div> tail".
# Strip new lines directly inside block level elements: first new lines
# from the text, and:
# - last new lines from the tail of the last child if there's children
# (done in the children loop below).
# - or last new lines from the text itself.
if tree.tag in html_blocks:
if tree.text:
tree.text = tree.text.lstrip('\n')
if not len(tree): # No children.
tree.text = tree.text.rstrip('\n')
# Remove the first new line after a block level element.
if tree.tail and tree.tail.startswith('\n'):
tree.tail = tree.tail[1:]
for child in tree: # Recurse down the tree.
if tree.tag in html_blocks:
# Strip new lines directly inside block level elements: remove
# the last new lines from the children's tails.
if child.tail:
child.tail = child.tail.rstrip('\n')
parse_html(child)
return tree
parse = parse_html(html5lib.parseFragment(string))
# Serialize the parsed tree back to html.
walker = html5lib.treewalkers.getTreeWalker('etree')
stream = walker(parse)
serializer = HTMLSerializer(quote_attr_values=True,
omit_optional_tags=False)
return serializer.render(stream)
# From: http://bit.ly/eTqloE
# Without this, you'll notice a slight grey line on the edges of
# the adblock plus icon.
def patched_chunk_tRNS(self, pos, len):
i16 = PngImagePlugin.i16
s = ImageFile._safe_read(self.fp, len)
if self.im_mode == "P":
self.im_info["transparency"] = map(ord, s)
elif self.im_mode == "L":
self.im_info["transparency"] = i16(s)
elif self.im_mode == "RGB":
self.im_info["transparency"] = i16(s), i16(s[2:]), i16(s[4:])
return s
PngImagePlugin.PngStream.chunk_tRNS = patched_chunk_tRNS
def patched_load(self):
if self.im and self.palette and self.palette.dirty:
apply(self.im.putpalette, self.palette.getdata())
self.palette.dirty = 0
self.palette.rawmode = None
try:
trans = self.info["transparency"]
except KeyError:
self.palette.mode = "RGB"
else:
try:
for i, a in enumerate(trans):
self.im.putpalettealpha(i, a)
except TypeError:
self.im.putpalettealpha(trans, 0)
self.palette.mode = "RGBA"
if self.im:
return self.im.pixel_access(self.readonly)
Image.Image.load = patched_load
def resize_image(src, dst, size=None, remove_src=True, locally=False):
"""Resizes and image from src, to dst. Returns width and height.
When locally is True, src and dst are assumed to reside
on the local disk (not in the default storage). When dealing
with local files it's up to you to ensure that all directories
exist leading up to the dst filename.
"""
if src == dst:
raise Exception("src and dst can't be the same: %s" % src)
open_ = open if locally else storage.open
delete = os.unlink if locally else storage.delete
with open_(src, 'rb') as fp:
im = Image.open(fp)
im = im.convert('RGBA')
if size:
im = processors.scale_and_crop(im, size)
with open_(dst, 'wb') as fp:
im.save(fp, 'png')
if remove_src:
delete(src)
return im.size
def remove_icons(destination):
for size in ADDON_ICON_SIZES:
filename = '%s-%s.png' % (destination, size)
if storage.exists(filename):
storage.delete(filename)
class ImageCheck(object):
def __init__(self, image):
self._img = image
def is_image(self):
try:
self._img.seek(0)
self.img = Image.open(self._img)
# PIL doesn't tell us what errors it will raise at this point,
# just "suitable ones", so let's catch them all.
self.img.verify()
return True
except:
log.error('Error decoding image', exc_info=True)
return False
def is_animated(self, size=100000):
if not self.is_image():
return False
img = self.img
if img.format == 'PNG':
self._img.seek(0)
data = ''
while True:
chunk = self._img.read(size)
if not chunk:
break
data += chunk
acTL, IDAT = data.find('acTL'), data.find('IDAT')
if acTL > -1 and acTL < IDAT:
return True
return False
elif img.format == 'GIF':
# See the PIL docs for how this works:
# http://www.pythonware.com/library/pil/handbook/introduction.htm
try:
img.seek(1)
except EOFError:
return False
return True
class MenuItem():
"""Refinement item with nestable children for use in menus."""
url, text, selected, children = ('', '', False, [])
def to_language(locale):
"""Like django's to_language, but en_US comes out as en-US."""
# A locale looks like en_US or fr.
if '_' in locale:
return to_language(translation.trans_real.to_language(locale))
# Django returns en-us but we want to see en-US.
elif '-' in locale:
lang, region = locale.split('-')
return '%s-%s' % (lang, region.upper())
else:
return translation.trans_real.to_language(locale)
def get_locale_from_lang(lang):
"""Pass in a language (u'en-US') get back a Locale object courtesy of
Babel. Use this to figure out currencies, bidi, names, etc."""
# Special fake language can just act like English for formatting and such
if not lang or lang == 'dbg':
lang = 'en'
return Locale(translation.to_locale(lang))
class HttpResponseSendFile(http.HttpResponse):
def __init__(self, request, path, content=None, status=None,
content_type='application/octet-stream', etag=None):
self.request = request
self.path = path
super(HttpResponseSendFile, self).__init__('', status=status,
content_type=content_type)
if settings.XSENDFILE:
self[settings.XSENDFILE_HEADER] = path
if etag:
self['ETag'] = '"%s"' % etag
def __iter__(self):
if settings.XSENDFILE:
return iter([])
chunk = 4096
fp = open(self.path, 'rb')
if 'wsgi.file_wrapper' in self.request.META:
return self.request.META['wsgi.file_wrapper'](fp, chunk)
else:
self['Content-Length'] = os.path.getsize(self.path)
def wrapper():
while 1:
data = fp.read(chunk)
if not data:
break
yield data
return wrapper()
def redirect_for_login(request):
# We can't use urlparams here, because it escapes slashes,
# which a large number of tests don't expect
url = '%s?to=%s' % (reverse('users.login'),
urlquote(request.get_full_path()))
return http.HttpResponseRedirect(url)
def cache_ns_key(namespace, increment=False):
"""
Returns a key with namespace value appended. If increment is True, the
namespace will be incremented effectively invalidating the cache.
Memcache doesn't have namespaces, but we can simulate them by storing a
"%(key)s_namespace" value. Invalidating the namespace simply requires
editing that key. Your application will no longer request the old keys,
and they will eventually fall off the end of the LRU and be reclaimed.
"""
ns_key = 'ns:%s' % namespace
if increment:
try:
ns_val = cache.incr(ns_key)
except ValueError:
log.info('Cache increment failed for key: %s. Resetting.' % ns_key)
ns_val = epoch(datetime.datetime.now())
cache.set(ns_key, ns_val, 0)
else:
ns_val = cache.get(ns_key)
if ns_val is None:
ns_val = epoch(datetime.datetime.now())
cache.set(ns_key, ns_val, 0)
return '%s:%s' % (ns_val, ns_key)
def get_email_backend(real_email=False):
"""Get a connection to an email backend.
If settings.SEND_REAL_EMAIL is False, a debugging backend is returned.
"""
if real_email or settings.SEND_REAL_EMAIL:
backend = None
else:
backend = 'amo.mail.FakeEmailBackend'
return django.core.mail.get_connection(backend)
class ESPaginator(paginator.Paginator):
"""A better paginator for search results."""
# The normal Paginator does a .count() query and then a slice. Since ES
# results contain the total number of results, we can take an optimistic
# slice and then adjust the count.
def page(self, number):
# Fake num_pages so it looks like we can have results.
self._num_pages = float('inf')
number = self.validate_number(number)
self._num_pages = None
bottom = (number - 1) * self.per_page
top = bottom + self.per_page
page = paginator.Page(self.object_list[bottom:top], number, self)
# Force the search to evaluate and then attach the count.
list(page.object_list)
self._count = page.object_list.count()
return page
def smart_path(string):
"""Returns a string you can pass to path.path safely."""
if os.path.supports_unicode_filenames:
return smart_unicode(string)
return smart_str(string)
def log_cef(name, severity, env, *args, **kwargs):
"""Simply wraps the cef_log function so we don't need to pass in the config
dictionary every time. See bug 707060. env can be either a request
object or just the request.META dictionary"""
c = {'cef.product': getattr(settings, 'CEF_PRODUCT', 'AMO'),
'cef.vendor': getattr(settings, 'CEF_VENDOR', 'Mozilla'),
'cef.version': getattr(settings, 'CEF_VERSION', '0'),
'cef.device_version': getattr(settings, 'CEF_DEVICE_VERSION', '0'),
'cef.file': getattr(settings, 'CEF_FILE', 'syslog'), }
# The CEF library looks for some things in the env object like
# REQUEST_METHOD and any REMOTE_ADDR stuff. Django not only doesn't send
# half the stuff you'd expect, but it specifically doesn't implement
# readline on its FakePayload object so these things fail. I have no idea
# if that's outdated code in Django or not, but andym made this
# <strike>awesome</strike> less crappy so the tests will actually pass.
# In theory, the last part of this if() will never be hit except in the
# test runner. Good luck with that.
if isinstance(env, HttpRequest):
r = env.META.copy()
if 'PATH_INFO' in r:
r['PATH_INFO'] = env.build_absolute_uri(r['PATH_INFO'])
elif isinstance(env, dict):
r = env
else:
r = {}
if settings.USE_HEKA_FOR_CEF:
return heka.cef(name, severity, r, *args, config=c, **kwargs)
else:
return _log_cef(name, severity, r, *args, config=c, **kwargs)
@contextlib.contextmanager
def no_translation(lang=None):
"""
Activate the settings lang, or lang provided, while in context.
"""
old_lang = translation.trans_real.get_language()
if lang:
translation.trans_real.activate(lang)
else:
translation.trans_real.deactivate()
yield
translation.trans_real.activate(old_lang)
def escape_all(v):
"""Escape html in JSON value, including nested items."""
if isinstance(v, basestring):
v = jinja2.escape(smart_unicode(v))
v = linkify_with_outgoing(v)
return v
elif isinstance(v, list):
for i, lv in enumerate(v):
v[i] = escape_all(lv)
elif isinstance(v, dict):
for k, lv in v.iteritems():
v[k] = escape_all(lv)
elif isinstance(v, Translation):
v = jinja2.escape(smart_unicode(v.localized_string))
return v
class LocalFileStorage(FileSystemStorage):
"""Local storage to an unregulated absolute file path.
Unregulated means that, unlike the default file storage, you can write to
any path on the system if you have access.
Unlike Django's default FileSystemStorage, this class behaves more like a
"cloud" storage system. Specifically, you never have to write defensive
code that prepares for leading directory paths to exist.
"""
def __init__(self, base_url=None):
super(LocalFileStorage, self).__init__(location='/', base_url=base_url)
def delete(self, name):
"""Delete a file or empty directory path.
Unlike the default file system storage this will also delete an empty
directory path. This behavior is more in line with other storage
systems like S3.
"""
full_path = self.path(name)
if os.path.isdir(full_path):
os.rmdir(full_path)
else:
return super(LocalFileStorage, self).delete(name)
def _open(self, name, mode='rb'):
if mode.startswith('w'):
parent = os.path.dirname(self.path(name))
try:
# Try/except to prevent race condition raising "File exists".
os.makedirs(parent)
except OSError as e:
if e.errno == errno.EEXIST and os.path.isdir(parent):
pass
else:
raise
return super(LocalFileStorage, self)._open(name, mode=mode)
def path(self, name):
"""Actual file system path to name without any safety checks."""
return os.path.normpath(os.path.join(self.location,
self._smart_path(name)))
def _smart_path(self, string):
if os.path.supports_unicode_filenames:
return smart_unicode(string)
return smart_str(string)
def strip_bom(data):
"""
Strip the BOM (byte order mark) from byte string `data`.
Returns a new byte string.
"""
for bom in (codecs.BOM_UTF32_BE,
codecs.BOM_UTF32_LE,
codecs.BOM_UTF16_BE,
codecs.BOM_UTF16_LE,
codecs.BOM_UTF8):
if data.startswith(bom):
data = data[len(bom):]
break
return data
def smart_decode(s):
"""Guess the encoding of a string and decode it."""
if isinstance(s, unicode):
return s
enc_guess = chardet.detect(s)
try:
return s.decode(enc_guess['encoding'])
except (UnicodeDecodeError, TypeError), exc:
msg = 'Error decoding string (encoding: %r %.2f%% sure): %s: %s'
log.error(msg % (enc_guess['encoding'],
enc_guess['confidence'] * 100.0,
exc.__class__.__name__, exc))
return unicode(s, errors='replace')
def attach_trans_dict(model, objs):
"""Put all translations into a translations dict."""
# Get the ids of all the translations we need to fetch.
fields = model._meta.translated_fields
ids = [getattr(obj, f.attname) for f in fields
for obj in objs if getattr(obj, f.attname, None) is not None]
# Get translations in a dict, ids will be the keys. It's important to
# consume the result of sorted_groupby, which is an iterator.
qs = Translation.objects.filter(id__in=ids, localized_string__isnull=False)
all_translations = dict((k, list(v)) for k, v in
sorted_groupby(qs, lambda trans: trans.id))
def get_locale_and_string(translation, new_class):
"""Convert the translation to new_class (making PurifiedTranslations
and LinkifiedTranslations work) and return locale / string tuple."""
converted_translation = new_class()
converted_translation.__dict__ = translation.__dict__
return (converted_translation.locale.lower(),
unicode(converted_translation))
# Build and attach translations for each field on each object.
for obj in objs:
obj.translations = collections.defaultdict(list)
for field in fields:
t_id = getattr(obj, field.attname, None)
field_translations = all_translations.get(t_id, None)
if not t_id or field_translations is None:
continue
obj.translations[t_id] = [get_locale_and_string(t, field.rel.to)
for t in field_translations]
def rm_local_tmp_dir(path):
"""Remove a local temp directory.
This is just a wrapper around shutil.rmtree(). Use it to indicate you are
certain that your executing code is operating on a local temp dir, not a
directory managed by the Django Storage API.
"""
return shutil.rmtree(path)
def rm_local_tmp_file(path):
"""Remove a local temp file.
This is just a wrapper around os.unlink(). Use it to indicate you are
certain that your executing code is operating on a local temp file, not a
path managed by the Django Storage API.
"""
return os.unlink(path)
def timestamp_index(index):
"""Returns index-YYYYMMDDHHMMSS with the current time."""
return '%s-%s' % (index, datetime.datetime.now().strftime('%Y%m%d%H%M%S'))
def create_es_index_if_missing(index, config=None, aliased=False):
"""Creates an index if it's not present.
Returns the index name. It may change if it was aliased.
Options:
- index: name of the index.
- config: if provided, used as the settings option for the
ES calls.
- aliased: If set to true, the index is suffixed with a timestamp
and an alias with the index name is created.
"""
es = amo.search.get_es()
if aliased:
alias = index
try:
indices = es.get_alias(alias)
if len(indices) > 1:
raise ValueError("The %r alias should not point to "
"several indices" % index)
# we're good here - the alias and the index exist
return indices[0]
except pyes.IndexMissingException:
# no alias exists, so we want to
# create a fresh one and a fresh index
index = timestamp_index(index)
if settings.IN_TEST_SUITE:
if not config:
config = {}
# Be nice to ES running on ci.mozilla.org
config.update({'number_of_shards': 3,
'number_of_replicas': 0})
try:
es.create_index_if_missing(index, settings=config)
if aliased:
try:
es.add_alias(alias, [index])
except pyes.ElasticSearchException, exc:
log.info('ES error creating alias: %s' % exc)
except pyes.ElasticSearchException, exc:
log.info('ES error creating index: %s' % exc)
return index
def timer(*func, **kwargs):
"""
Outputs statsd timings for the decorated method, ignored if not
in test suite. It will give us a name that's based on the module name.
It will work without params. Or with the params:
key: a key to override the calculated one
test_only: only time while in test suite (default is True)
"""
key = kwargs.get('key', None)
test_only = kwargs.get('test_only', True)
def decorator(func):
@functools.wraps(func)
def wrapper(*args, **kw):
if test_only and not settings.IN_TEST_SUITE:
return func(*args, **kw)
else:
name = (key if key else
'%s.%s' % (func.__module__, func.__name__))
with statsd.timer('timer.%s' % name):
return func(*args, **kw)
return wrapper
if func:
return decorator(func[0])
return decorator
def find_language(locale):
"""
Return a locale we support, or None.
"""
if not locale:
return None
LANGS = settings.AMO_LANGUAGES + settings.HIDDEN_LANGUAGES
if locale in LANGS:
return locale
# Check if locale has a short equivalent.
loc = settings.SHORTER_LANGUAGES.get(locale)
if loc:
return loc
# Check if locale is something like en_US that needs to be converted.
locale = to_language(locale)
if locale in LANGS:
return locale
return None
def has_links(html):
"""Return True if links (text or markup) are found in the given html."""
# Call bleach.linkify to transform text links to real links, and add some
# content to the ``href`` attribute. If the result is different from the
# initial string, links were found.
class LinkFound(Exception):
pass
def raise_on_link(attrs, new):
raise LinkFound
try:
bleach.linkify(html, callbacks=[raise_on_link])
except LinkFound:
return True
return False
|
LVMIt is the abbreviation of Logical Volume Manager (logical volume management). It is a mechanism for managing disk partitions in Linux environment. LVM takes one or more disk partitions (PV) as a volume group (VG), which is equivalent to a large hard disk.You can divide a number of logical volumes (LV) on it. When the space of the volume group is not enough, new disk partitions can be added. We can also divide some spaces from the volume group space to use logical volumes that are not enough for space.
Using the fdisk command to partition the new disk, a primary partition, /dev/vdb1, the size 8GB, is used to reread the partition table with the partprobe command.
In the partition process, note that the format is 8e, which is the partition format of LVM.
Using volume vgdisplay to see the volume group information, the following figure shows that the volume group name is CentOS, and the idle size is 0.
We re examined the volume information and found that the free space is 8GB, indicating that /dev/vdb1 has been successfully added.
Using the lvcreate command to divide a new logical volume from the volume group, a logical volume partition named Newlv, the size 4GB is created, and the logical volume information is viewed with the lvdisplay.
The new logical volume can be mounted to the system to store data after formatting. The XFS file system is formatted as CentOS7 using mkfs.xfs.
Size of logical volume vgdata/lvdata changed from 4.00 GiB (1024 extents) to 5.00 GiB (1280 extents).
Logical volume lvdata successfully resized.
Note: if new 5G is added, use lvextend -L +5G /dev/vgdata/lvdata.
|
# Copyright (C) 2013 Google Inc., authors, and contributors <see AUTHORS file>
# Licensed under http://www.apache.org/licenses/LICENSE-2.0 <see LICENSE file>
# Created By: [email protected]
# Maintained By: [email protected]
from ggrc import db
from sqlalchemy.orm import validates
from .mixins import deferred, BusinessObject, Timeboxed, CustomAttributable
from .object_control import Controllable
from .object_document import Documentable
from .object_objective import Objectiveable
from .object_owner import Ownable
from .object_person import Personable
from .object_section import Sectionable
from .relationship import Relatable
from .utils import validate_option
from .track_object_state import HasObjectState, track_state_for_class
class Product(HasObjectState,
CustomAttributable, Documentable, Personable, Objectiveable, Controllable,
Sectionable, Relatable, Timeboxed, Ownable, BusinessObject, db.Model):
__tablename__ = 'products'
kind_id = deferred(db.Column(db.Integer), 'Product')
version = deferred(db.Column(db.String), 'Product')
kind = db.relationship(
'Option',
primaryjoin='and_(foreign(Product.kind_id) == Option.id, '\
'Option.role == "product_type")',
uselist=False,
)
_publish_attrs = [
'kind',
'version',
]
_sanitize_html = [
'version',
]
@validates('kind')
def validate_product_options(self, key, option):
return validate_option(self.__class__.__name__, key, option, 'product_type')
@classmethod
def eager_query(cls):
from sqlalchemy import orm
query = super(Product, cls).eager_query()
return query.options(orm.joinedload('kind'))
track_state_for_class(Product)
|
Located in Clearfield, Red Roof Inn Clearfield is a 4-minute drive from Lock Haven University Clearfield and 5 minutes from Clearfield County Courthouse. This hotel is 2.2 mi (3.5 km) from Clearfield County Historical Society and 12.8 mi (20.6 km) from Bilger's Rocks.
Make yourself at home in one of the 71 air-conditioned rooms featuring LED televisions. Complimentary wireless Internet access keeps you connected, and satellite programming is available for your entertainment. Conveniences include desks, as well as phones with free local calls.
Take in the views from a garden and make use of amenities such as complimentary wireless Internet access and a television in a common area. This hotel also features a picnic area and a vending machine.
|
#!/usr/bin/env python
import sys
import random
"""
Usage: create_testdata.py <interval> <sequence_length> [--randomscore]
<interval> integer that is bigger than 8
<sequence_length> integer that is bigger than 9
--randomscore score is sampled from discrete random distribution
binding residue randint(3, 5)
the both sides residues of binding residue randint(-10, -8)
non-binding residue randint(-2, 0)
"""
# start is the first binding residue index.
# interval is the number of residues between binding residues.
def generate_pssm(start, sequence_length, interval, random_flag=False):
pssm = []
for i in xrange(sequence_length):
if i % interval == start:
if random_flag:
pssm.append(map(str, [random.randint(3, 5) for i in xrange(20)]))
else:
pssm.append(map(str, [1]*20))
elif i % interval == start-1 or i % interval == start+1:
if random_flag:
pssm.append(map(str, [random.randint(-10, -8) for i in xrange(20)]))
else:
pssm.append(map(str, [-1]*20))
else:
if random_flag:
pssm.append(map(str, [random.randint(-2, 0) for i in xrange(20)]))
else:
pssm.append(map(str, [0]*20))
return pssm
if sys.argv[1] == "-h" or sys.argv[1] == "-help" or sys.argv[1] == "--help":
print """
Usage: create_testdata.py <interval> <sequence_length> [--randomscore]
<interval> integer that is bigger than 8
<sequence_length> integer that is bigger than 9
--randomscore score is sampled from discrete random distribution
binding residue randint(1, 10)
the both sides residues of binding residue randint(-10, -8)
non-binding residue randint(-7, 0)
"""
sys.exit(0)
interval = int(sys.argv[1])
if not interval > 8:
raise ValueError("<interval> must be bigger than 8")
interval += 1 # modify for xrange()
sequence_length = int(sys.argv[2])
if not sequence_length > 9:
raise ValueError("<sequence_length> must be bigger than 9")
random_flag = False
if len(sys.argv) == 4 and sys.argv[3] == "--randomscore":
random_flag = True
sequence_length = int(sys.argv[2])
bindres_file = "./bindingData.txt"
if random_flag:
pssms_file = "./pssms_random_score.txt"
else:
pssms_file = "./pssms_fixed_score.txt"
with open(bindres_file, "w") as fp:
startA = 1
startB = 2
startC = 3
binding_site_indexA = ' '.join(map(str, [i+startA for i in xrange(0, sequence_length, interval)]))
binding_site_indexB = ' '.join(map(str, [i+startB for i in xrange(0, sequence_length, interval)]))
binding_site_indexC = ' '.join(map(str, [i+startC for i in xrange(0, sequence_length, interval)]))
fp.write("http://purl.uniprot.org/uniprot/AAAAAA {}\n".format(binding_site_indexA))
fp.write("http://purl.uniprot.org/uniprot/BBBBBB {}\n".format(binding_site_indexB))
fp.write("http://purl.uniprot.org/uniprot/CCCCCC {}\n".format(binding_site_indexC))
with open(pssms_file, "w") as fp:
fp.write(">http://purl.uniprot.org/uniprot/AAAAAA\n")
pssm = '\n'.join(map('\t'.join, generate_pssm(startA, sequence_length, interval, random_flag)))
fp.write(pssm+"\n")
fp.write(">http://purl.uniprot.org/uniprot/BBBBBB\n")
pssm = '\n'.join(map('\t'.join, generate_pssm(startB, sequence_length, interval, random_flag)))
fp.write(pssm+"\n")
fp.write(">http://purl.uniprot.org/uniprot/CCCCCC\n")
pssm = '\n'.join(map('\t'.join, generate_pssm(startC, sequence_length, interval, random_flag)))
fp.write(pssm+"\n")
|
These handwriting samples from his weekly school journal present a clear picture of the handwriting being affected by PANS.
When PANS started, his handwriting was still somewhat neat in September 2016.
But from there his handwriting becomes progressively worse. It gets progressively messier and he clearly is not able to write on the lines. We are fortunate to have the handwriting as a clear marker to show that something was going wrong in his brain when meeting with lots of doctors and educators . My hope is that this helps another family.
Ashlyn’s 5-year-old has been diagnosed with PANS and since been in treatment. While not in a flare, he drew the fantastic Garfield (top picture). Then about 5 days after Ashlyn got walking pneumonia, her son, who is not visibly sick at all, drew the second picture, which shows marked regression of skills. It is a perfect example of how infection and autoimmune function can dramatically impact the brain. Plus it is a great visual example of how fast it can happen. During this flare he is exhibiting loss of fine motor skills, aggressiveness/mean/short tempered, and peeing the bed and his pants. At the moment he has no obvious OCD, anxiety, etc. Her son is continually being treated for PANS.
|
#!/usr/bin/env python
# Copyright 2013-2015 David Mohr
#
# 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.
import llvmlite.ir as ll
import llvmlite.binding as llvm
import logging
import time
from . import tp
from . import ir
from . import exc
class CGEnv(object):
module = None
builder = None
class Program(object):
def __init__(self, module):
llvm.initialize()
llvm.initialize_native_target()
llvm.initialize_native_asmprinter()
self.module = module
self.module.translate()
self.cge = CGEnv()
self.cge.module = module
self.llvm = self.makeStub()
for _, func in self.module.namestore.all(ir.Function):
self.blockAndCode(func)
self.target_machine = llvm.Target.from_default_triple().create_target_machine()
logging.debug("Verifying... ")
self._llmod = None
def llmod(self):
if not self._llmod:
self._llmod = llvm.parse_assembly(str(self.module.llvm))
return self._llmod
def blockAndCode(self, impl):
func = impl.llvm
# create blocks
bb = func.append_basic_block("entry")
for bc in impl.bytecodes:
if bc.discard:
impl.remove(bc)
impl.log.debug("BLOCK skipped {0}".format(bc))
continue
newblock = ''
if bc in impl.incoming_jumps:
assert not bc.block
bc.block = func.append_basic_block(str(bc.loc))
bb = bc.block
newblock = ' NEW BLOCK (' + str(bc.loc) + ')'
else:
bc.block = bb
impl.log.debug("BLOCK'D {0}{1}".format(bc, newblock))
for ext_module in self.module.getExternalModules():
ext_module.translate(self.module.llvm)
impl.log.debug("Printing all bytecodes:")
impl.bytecodes.printAll(impl.log)
impl.log.debug("Emitting code:")
bb = None
cge = self.cge
for bc in impl.bytecodes:
try:
if bb != bc.block:
# new basic block, use a new builder
cge.builder = ll.IRBuilder(bc.block)
if bc.reachable:
bc.translate(cge)
impl.log.debug("TRANS'D {0}".format(bc.locStr()))
else:
# eliminate unreachable code, which may occur in the middle of a function
impl.log.debug("UNREACH {}".format(bc.locStr()))
except exc.StellaException as e:
e.addDebug(bc.debuginfo)
raise
def makeStub(self):
impl = self.module.entry
func_tp = ll.FunctionType(impl.result.type.llvmType(self.module), [])
func = ll.Function(self.module.llvm, func_tp, name=str(impl.function)+'__stub__')
bb = func.append_basic_block("entry")
builder = ll.IRBuilder(bb)
self.cge.builder = builder
for name, var in self.module.namestore.all(ir.GlobalVariable):
var.translate(self.cge)
llvm_args = [arg.translate(self.cge) for arg in self.module.entry_args]
call = builder.call(impl.llvm, llvm_args)
if impl.result.type is tp.Void:
builder.ret_void()
else:
builder.ret(call)
return func
def elapsed(self):
if self.start is None or self.end is None:
return None
return self.end - self.start
def optimize(self, opt):
if opt is not None:
logging.warn("Running optimizations level {0}... ".format(opt))
# TODO was build_pass_managers(tm, opt=opt, loop_vectorize=True, fpm=False)
pmb = llvm.create_pass_manager_builder()
pmb.opt_level = opt
pm = llvm.create_module_pass_manager()
pmb.populate(pm)
pm.run(self.llmod())
def destruct(self):
self.module.destruct()
del self.module
def __del__(self):
logging.debug("DEL {}: {}".format(repr(self), hasattr(self, 'module')))
def run(self, stats):
logging.debug("Preparing execution...")
import ctypes
import llvmlite
import os
_lib_dir = os.path.dirname(llvm.ffi.__file__)
clib = ctypes.CDLL(os.path.join(_lib_dir, llvmlite.utils.get_library_name()))
# Direct access as below mangles the name
# f = clib.__powidf2
f = getattr(clib, '__powidf2')
llvm.add_symbol('__powidf2', ctypes.cast(f, ctypes.c_void_p).value)
with llvm.create_mcjit_compiler(self.llmod(), self.target_machine) as ee:
ee.finalize_object()
entry = self.module.entry
ret_type = entry.result.type
logging.info("running {0}{1}".format(entry,
list(zip(entry.type_.arg_types,
self.module.entry_args))))
entry_ptr = ee.get_pointer_to_global(self.llmod().get_function(self.llvm.name))
ret_ctype = entry.result.type.Ctype()
if ret_type.on_heap:
ret_ctype = ctypes.POINTER(ret_ctype)
cfunc = ctypes.CFUNCTYPE(ret_ctype)(entry_ptr)
time_start = time.time()
retval = cfunc()
stats['elapsed'] = time.time() - time_start
for arg in self.module.entry_args:
arg.ctype2Python(self.cge) # may be a no-op if not necessary
retval = ret_type.unpack(retval)
logging.debug("Returning...")
self.destruct()
return retval
def getAssembly(self):
return self.target_machine.emit_assembly(self.llmod())
def getLlvmIR(self):
ret = self.module.getLlvmIR()
logging.debug("Returning...")
self.destruct()
return ret
|
A healthy lifestyle is an essential element to release the physical and mental potential of every individual and is able to prevent the epidemic development of overweight, and cardiometabolic diseases. Unfortunately, most people do not manage to incorporate or to maintain the recommended changes in their daily lifestyle. This may be due to the fact that people do not perceive the benefits of a healthy lifestyle in the short term, nor the adverse effects of an unhealthy lifestyle.
It is increasingly recognised that maintaining well-controlled blood glucose concentrations is essential for remaining healthy and preventing chronic metabolic diseases. Additionally, there is evidence that well-controlled blood glucose concentrations (by boosting physical and mental energy) may be an important determinant of well-being, mental and physical performance. The link between blood glucose and the latter factors has hardly been studied. Moreover, it is not known to what extent these relationships differ in healthy subjects and subjects with an impaired glucose metabolism and what the impact is of a disturbed circadian rhythm. When people feel better, fitter and/or otherwise motivated to follow a dietary advice, for instance by personalized feedback on physiological measures of glucose control or other indicators of health status, the implementation of a healthy lifestyle is expected to be more successful.
Furthermore, despite being compliant to lifestyle advices, the metabolic flexibility to respond to lifestyle intervention may vary between individuals. Recent evidence indicates that insulin resistance and metabolic inflexibility may develop separately in different organs, representing different etiologies towards cardio-metabolic diseases. Interestingly, these tissue-specific sub-phenotypes may have a differential response to diet. In a recent ground-breaking study, it was shown that, despite high inter-individual variability in glycemic response, responses to individual meals in daily life could be more accurately predicted by means of an algorithm that included lifestyle factors (diet, physical activity) and microbial composition as compared to a prediction by common practice. The above data suggest that successful lifestyle interventions may require a more personalised approach.
Study how acute and chronic dietary and/or physical activity interventions affect blood glucose homeostasis in metabolically different subgroups and how this consequently alters the related mental and physical performance, well-being and food preferences.
Develop multi-scale tissue dynamic and mathematical models on diet and lifestyle (physical activity) in relation to blood glucose homeostasis (including microbiota and host metabolism) and mental and physical performance and well-being.
|
#!/usr/bin/python3
# vim:set shiftwidth=4 softtabstop=4 expandtab textwidth=79:
# bsc#1025860
# This script cross references items in the AIL with buffers and inodes
# locked in every task's stack
from crash.types.list import list_for_each_entry
from crash.util import container_of
import gdb
dentry_type = gdb.lookup_type('struct dentry')
ail_type = gdb.lookup_type('struct xfs_ail')
xfs_log_item_type = gdb.lookup_type('struct xfs_log_item')
xfs_inode_log_item_type = gdb.lookup_type('struct xfs_inode_log_item')
ail = gdb.Value(0xffff885e3b9e3a40).cast(ail_type.pointer()).dereference()
print ail
# This should go into a crash.types.rwsem
RWSEM_ACTIVE_MASK = 0xffffffffL
RWSEM_UNLOCKED_VALUE = 0
RWSEM_ACTIVE_BIAS = 1
RWSEM_WAITING_BIAS = 0xffffffff00000000
RWSEM_ACTIVE_READ_BIAS = 1
RWSEM_ACTIVE_WRITE_BIAS = 0xffffffff00000001
def inode_paths(inode):
for dentry in list_for_each_entry(inode['i_dentry'], dentry_type, ''):
names = [dentry['d_name']['name'].string()]
parent = dentry['d_parent']
while parent.address != parent['d_parent'].address:
names.insert(0, parent['d_name']['name'].string())
parent = parent['d_parent']
yield '/'.join(names)
def rwsem_read_trylock(rwsem):
count = int(rwsem['count']) & 0xffffffffffffffffL
if count == 0:
return True
if count & RWSEM_ACTIVE_WRITE_BIAS:
return False
if count >= 0:
return True
locked_inodes = {}
def check_item(item):
if item['li_type'] == 0x123b: # inode
iitem = container_of(item, xfs_inode_log_item_type, 'ili_item')
if iitem['ili_inode']['i_pincount']['counter'] > 0:
# print "<pinned {:16x}>".format(iitem['ili_inode'].address)
return 1
if not rwsem_read_trylock(iitem['ili_inode']['i_lock']['mr_lock']):
inode = iitem['ili_inode']['i_vnode'].address
# print "<locked {}>".format(inode)
print oct(int(inode['i_mode']))
if int(inode) in locked_inodes:
print "in AIL multiple times"
else:
locked_inodes[int(inode)] = iitem['ili_inode']
# for path in inode_paths(inode):
# print path
return 2
# print "<ok>"
elif item['li_type'] == 0x123c: # buffer
pass
else:
print "*** Odd type {}".format(item['li_type'])
return 0
# superblock ffff885e2ec11000
# fs_info 0xffff885e33f7e000
# m_ail 0xffff885e3b9e3a40
last_pushed = ail['xa_last_pushed_lsn']
target = ail['xa_target']
found = None
count = 0
last_lsn = 0
total = 0
for item in list_for_each_entry(ail['xa_ail'], xfs_log_item_type, 'li_ail'):
# xfsaild_push fast forwards to the last pushed before starting
# pushes are two (three, kind of) stages for inodes, which most of
# the ail list is for this report
# 1) attempt to push the inode item, which writes it back to its buffer
# 2) upon success, attempt to push the buffer
# 3) when the buffer is successfully written, the callback is called
# which removes the item from the list
# The list prior to last_pushed contains the items for which we're
# waiting on writeback.
if item['li_lsn'] < last_pushed:
count += 1
continue
if last_lsn == 0:
print "Skipped {} items before last_pushed ({})".format(count, last_pushed)
count = 0
elif item['li_lsn'] > target:
print "** Target LSN reached: {}".format(target)
break
total += 1
if last_lsn != item['li_lsn']:
if last_lsn != 0:
print "*** {:<4} total items for LSN {} ({} ready, {} pinned, {} locked)".format(count, last_lsn, ready, pinned, locked)
count = 0
# print "*** Processing LSN {}".format(item['li_lsn'])
pinned = 0
locked = 0
ready = 0
ret = check_item(item)
if ret == 1:
pinned += 1
elif ret == 2:
locked += 1
else:
if locked and ready == 0:
print "<{} locked>".format(locked)
ready += 1
last_lsn = item['li_lsn']
count += 1
# We only care about the first 100 items
if count > 104:
break
checked = 0
dead = 0
for thread in gdb.selected_inferior().threads():
thread.switch()
try:
f = gdb.selected_frame()
while True:
f = f.older()
fn = f.function()
if not fn:
break
if fn.name == '__fput':
fp = f.read_var('file')
inode = fp['f_path']['dentry']['d_inode']
checked += 1
if inode in locked_inodes:
print inode
break
if fn.name == 'vfs_create':
try:
inode = f.read_var('dir')
except ValueError as e:
print f
inode = None
checked += 1
if int(inode) in locked_inodes:
print "PID {} inode {}".format(thread.ptid, hex(int(inode)))
dead += 1
break
except gdb.error as e:
pass
print "Checked {} inodes in __fput or vfs_create".format(checked)
print "Total items processed: {}".format(total)
print "Total inodes tracked: {}".format(len(locked_inodes.keys()))
print "Total inodes locked and waiting: {}".format(dead)
|
The qualified and experienced agents at boutique agency Base Property Group understand that real estate isn’t just about prices. We match our clients with properties that fit their lifestyles and their budgets.
If you would like one of our experienced local sales team to contact you for a free no obligation update to what your property may be worth in the current market place please contact us and one of agents will prepare your report.
With properties currently selling in record time subscribe to join our mailing list and receive an exclusive preview of the very latest listings, sales, updates, new developments and properties for lease.
It is with real pleasure that I write this recommendation for Gail Gore-Brown.
Madonna is a real gem! Her passion for people as well as her work really shines.
Her communication skills are wonderful ensuring I was happy during every strep of the process making her a reliable and trustworthy agent who really puts in her all.
Madonna made the process of selling my house and finding me a rental as smooth as possible during a difficult time.
Couldn't have asked for a better buying experience!! Madonna's personality and obvious love for what she does has an incredible ability to provide a tremendously comfortable friendly environment for your buying experience, while upholding the highest levels of professional service standards.
|
# Version: 6.2
# Architecture: i386
import vstruct
from vstruct.primitives import *
KPROCESS_STATE = v_enum()
KPROCESS_STATE.ProcessInMemory = 0
KPROCESS_STATE.ProcessOutOfMemory = 1
KPROCESS_STATE.ProcessInTransition = 2
KPROCESS_STATE.ProcessOutTransition = 3
KPROCESS_STATE.ProcessInSwap = 4
KPROCESS_STATE.ProcessOutSwap = 5
KPROCESS_STATE.ProcessAllSwapStates = 6
MI_STORE_BIT_TYPE = v_enum()
MI_STORE_BIT_TYPE.MiStoreBitTypeInStore = 0
MI_STORE_BIT_TYPE.MiStoreBitTypeEvicted = 1
MI_STORE_BIT_TYPE.MiStoreBitTypeMax = 2
IO_ALLOCATION_ACTION = v_enum()
IO_ALLOCATION_ACTION.KeepObject = 1
IO_ALLOCATION_ACTION.DeallocateObject = 2
IO_ALLOCATION_ACTION.DeallocateObjectKeepRegisters = 3
EX_GEN_RANDOM_DOMAIN = v_enum()
EX_GEN_RANDOM_DOMAIN.ExGenRandomDomainKernel = 0
EX_GEN_RANDOM_DOMAIN.ExGenRandomDomainFirst = 0
EX_GEN_RANDOM_DOMAIN.ExGenRandomDomainUserVisible = 1
EX_GEN_RANDOM_DOMAIN.ExGenRandomDomainMax = 2
LOCK_OPERATION = v_enum()
LOCK_OPERATION.IoReadAccess = 0
LOCK_OPERATION.IoWriteAccess = 1
LOCK_OPERATION.IoModifyAccess = 2
CM_SHARE_DISPOSITION = v_enum()
CM_SHARE_DISPOSITION.CmResourceShareUndetermined = 0
CM_SHARE_DISPOSITION.CmResourceShareDeviceExclusive = 1
CM_SHARE_DISPOSITION.CmResourceShareDriverExclusive = 2
CM_SHARE_DISPOSITION.CmResourceShareShared = 3
KWAIT_BLOCK_STATE = v_enum()
KWAIT_BLOCK_STATE.WaitBlockBypassStart = 0
KWAIT_BLOCK_STATE.WaitBlockBypassComplete = 1
KWAIT_BLOCK_STATE.WaitBlockActive = 2
KWAIT_BLOCK_STATE.WaitBlockInactive = 3
KWAIT_BLOCK_STATE.WaitBlockAllStates = 4
PROCESSOR_CACHE_TYPE = v_enum()
PROCESSOR_CACHE_TYPE.CacheUnified = 0
PROCESSOR_CACHE_TYPE.CacheInstruction = 1
PROCESSOR_CACHE_TYPE.CacheData = 2
PROCESSOR_CACHE_TYPE.CacheTrace = 3
EVENT_TYPE = v_enum()
EVENT_TYPE.NotificationEvent = 0
EVENT_TYPE.SynchronizationEvent = 1
KSPIN_LOCK_QUEUE_NUMBER = v_enum()
KSPIN_LOCK_QUEUE_NUMBER.LockQueueUnusedSpare0 = 0
KSPIN_LOCK_QUEUE_NUMBER.LockQueueExpansionLock = 1
KSPIN_LOCK_QUEUE_NUMBER.LockQueueUnusedSpare2 = 2
KSPIN_LOCK_QUEUE_NUMBER.LockQueueSystemSpaceLock = 3
KSPIN_LOCK_QUEUE_NUMBER.LockQueueVacbLock = 4
KSPIN_LOCK_QUEUE_NUMBER.LockQueueMasterLock = 5
KSPIN_LOCK_QUEUE_NUMBER.LockQueueNonPagedPoolLock = 6
KSPIN_LOCK_QUEUE_NUMBER.LockQueueIoCancelLock = 7
KSPIN_LOCK_QUEUE_NUMBER.LockQueueWorkQueueLock = 8
KSPIN_LOCK_QUEUE_NUMBER.LockQueueIoVpbLock = 9
KSPIN_LOCK_QUEUE_NUMBER.LockQueueIoDatabaseLock = 10
KSPIN_LOCK_QUEUE_NUMBER.LockQueueIoCompletionLock = 11
KSPIN_LOCK_QUEUE_NUMBER.LockQueueNtfsStructLock = 12
KSPIN_LOCK_QUEUE_NUMBER.LockQueueAfdWorkQueueLock = 13
KSPIN_LOCK_QUEUE_NUMBER.LockQueueBcbLock = 14
KSPIN_LOCK_QUEUE_NUMBER.LockQueueMmNonPagedPoolLock = 15
KSPIN_LOCK_QUEUE_NUMBER.LockQueueUnusedSpare16 = 16
KSPIN_LOCK_QUEUE_NUMBER.LockQueueMaximumLock = 17
WHEA_ERROR_TYPE = v_enum()
WHEA_ERROR_TYPE.WheaErrTypeProcessor = 0
WHEA_ERROR_TYPE.WheaErrTypeMemory = 1
WHEA_ERROR_TYPE.WheaErrTypePCIExpress = 2
WHEA_ERROR_TYPE.WheaErrTypeNMI = 3
WHEA_ERROR_TYPE.WheaErrTypePCIXBus = 4
WHEA_ERROR_TYPE.WheaErrTypePCIXDevice = 5
WHEA_ERROR_TYPE.WheaErrTypeGeneric = 6
PROFILE_DEPARTURE_STYLE = v_enum()
PROFILE_DEPARTURE_STYLE.PDS_UPDATE_DEFAULT = 1
PROFILE_DEPARTURE_STYLE.PDS_UPDATE_ON_REMOVE = 2
PROFILE_DEPARTURE_STYLE.PDS_UPDATE_ON_INTERFACE = 3
PROFILE_DEPARTURE_STYLE.PDS_UPDATE_ON_EJECT = 4
OB_OPEN_REASON = v_enum()
OB_OPEN_REASON.ObCreateHandle = 0
OB_OPEN_REASON.ObOpenHandle = 1
OB_OPEN_REASON.ObDuplicateHandle = 2
OB_OPEN_REASON.ObInheritHandle = 3
OB_OPEN_REASON.ObMaxOpenReason = 4
CPU_VENDORS = v_enum()
CPU_VENDORS.CPU_NONE = 0
CPU_VENDORS.CPU_INTEL = 1
CPU_VENDORS.CPU_AMD = 2
CPU_VENDORS.CPU_CYRIX = 3
CPU_VENDORS.CPU_TRANSMETA = 4
CPU_VENDORS.CPU_VIA = 5
CPU_VENDORS.CPU_CENTAUR = 5
CPU_VENDORS.CPU_RISE = 6
CPU_VENDORS.CPU_UNKNOWN = 7
POWER_STATE_TYPE = v_enum()
POWER_STATE_TYPE.SystemPowerState = 0
POWER_STATE_TYPE.DevicePowerState = 1
TYPE_OF_MEMORY = v_enum()
TYPE_OF_MEMORY.LoaderExceptionBlock = 0
TYPE_OF_MEMORY.LoaderSystemBlock = 1
TYPE_OF_MEMORY.LoaderFree = 2
TYPE_OF_MEMORY.LoaderBad = 3
TYPE_OF_MEMORY.LoaderLoadedProgram = 4
TYPE_OF_MEMORY.LoaderFirmwareTemporary = 5
TYPE_OF_MEMORY.LoaderFirmwarePermanent = 6
TYPE_OF_MEMORY.LoaderOsloaderHeap = 7
TYPE_OF_MEMORY.LoaderOsloaderStack = 8
TYPE_OF_MEMORY.LoaderSystemCode = 9
TYPE_OF_MEMORY.LoaderHalCode = 10
TYPE_OF_MEMORY.LoaderBootDriver = 11
TYPE_OF_MEMORY.LoaderConsoleInDriver = 12
TYPE_OF_MEMORY.LoaderConsoleOutDriver = 13
TYPE_OF_MEMORY.LoaderStartupDpcStack = 14
TYPE_OF_MEMORY.LoaderStartupKernelStack = 15
TYPE_OF_MEMORY.LoaderStartupPanicStack = 16
TYPE_OF_MEMORY.LoaderStartupPcrPage = 17
TYPE_OF_MEMORY.LoaderStartupPdrPage = 18
TYPE_OF_MEMORY.LoaderRegistryData = 19
TYPE_OF_MEMORY.LoaderMemoryData = 20
TYPE_OF_MEMORY.LoaderNlsData = 21
TYPE_OF_MEMORY.LoaderSpecialMemory = 22
TYPE_OF_MEMORY.LoaderBBTMemory = 23
TYPE_OF_MEMORY.LoaderReserve = 24
TYPE_OF_MEMORY.LoaderXIPRom = 25
TYPE_OF_MEMORY.LoaderHALCachedMemory = 26
TYPE_OF_MEMORY.LoaderLargePageFiller = 27
TYPE_OF_MEMORY.LoaderErrorLogMemory = 28
TYPE_OF_MEMORY.LoaderMaximum = 29
ETW_NOTIFICATION_TYPE = v_enum()
ETW_NOTIFICATION_TYPE.EtwNotificationTypeNoReply = 1
ETW_NOTIFICATION_TYPE.EtwNotificationTypeLegacyEnable = 2
ETW_NOTIFICATION_TYPE.EtwNotificationTypeEnable = 3
ETW_NOTIFICATION_TYPE.EtwNotificationTypePrivateLogger = 4
ETW_NOTIFICATION_TYPE.EtwNotificationTypePerflib = 5
ETW_NOTIFICATION_TYPE.EtwNotificationTypeAudio = 6
ETW_NOTIFICATION_TYPE.EtwNotificationTypeSession = 7
ETW_NOTIFICATION_TYPE.EtwNotificationTypeReserved = 8
ETW_NOTIFICATION_TYPE.EtwNotificationTypeCredentialUI = 9
ETW_NOTIFICATION_TYPE.EtwNotificationTypeMax = 10
KTM_STATE = v_enum()
KTM_STATE.KKtmUninitialized = 0
KTM_STATE.KKtmInitialized = 1
KTM_STATE.KKtmRecovering = 2
KTM_STATE.KKtmOnline = 3
KTM_STATE.KKtmRecoveryFailed = 4
KTM_STATE.KKtmOffline = 5
PP_NPAGED_LOOKASIDE_NUMBER = v_enum()
PP_NPAGED_LOOKASIDE_NUMBER.LookasideSmallIrpList = 0
PP_NPAGED_LOOKASIDE_NUMBER.LookasideMediumIrpList = 1
PP_NPAGED_LOOKASIDE_NUMBER.LookasideLargeIrpList = 2
PP_NPAGED_LOOKASIDE_NUMBER.LookasideMdlList = 3
PP_NPAGED_LOOKASIDE_NUMBER.LookasideCreateInfoList = 4
PP_NPAGED_LOOKASIDE_NUMBER.LookasideNameBufferList = 5
PP_NPAGED_LOOKASIDE_NUMBER.LookasideTwilightList = 6
PP_NPAGED_LOOKASIDE_NUMBER.LookasideCompletionList = 7
PP_NPAGED_LOOKASIDE_NUMBER.LookasideScratchBufferList = 8
PP_NPAGED_LOOKASIDE_NUMBER.LookasideMaximumList = 9
PPM_IDLE_BUCKET_TIME_TYPE = v_enum()
PPM_IDLE_BUCKET_TIME_TYPE.PpmIdleBucketTimeInQpc = 0
PPM_IDLE_BUCKET_TIME_TYPE.PpmIdleBucketTimeIn100ns = 1
PPM_IDLE_BUCKET_TIME_TYPE.PpmIdleBucketTimeMaximum = 2
PLUGPLAY_EVENT_CATEGORY = v_enum()
PLUGPLAY_EVENT_CATEGORY.HardwareProfileChangeEvent = 0
PLUGPLAY_EVENT_CATEGORY.TargetDeviceChangeEvent = 1
PLUGPLAY_EVENT_CATEGORY.DeviceClassChangeEvent = 2
PLUGPLAY_EVENT_CATEGORY.CustomDeviceEvent = 3
PLUGPLAY_EVENT_CATEGORY.DeviceInstallEvent = 4
PLUGPLAY_EVENT_CATEGORY.DeviceArrivalEvent = 5
PLUGPLAY_EVENT_CATEGORY.VetoEvent = 6
PLUGPLAY_EVENT_CATEGORY.BlockedDriverEvent = 7
PLUGPLAY_EVENT_CATEGORY.InvalidIDEvent = 8
PLUGPLAY_EVENT_CATEGORY.DevicePropertyChangeEvent = 9
PLUGPLAY_EVENT_CATEGORY.DeviceInstanceRemovalEvent = 10
PLUGPLAY_EVENT_CATEGORY.DeviceInstanceStartedEvent = 11
PLUGPLAY_EVENT_CATEGORY.MaxPlugEventCategory = 12
IO_SESSION_STATE = v_enum()
IO_SESSION_STATE.IoSessionStateCreated = 1
IO_SESSION_STATE.IoSessionStateInitialized = 2
IO_SESSION_STATE.IoSessionStateConnected = 3
IO_SESSION_STATE.IoSessionStateDisconnected = 4
IO_SESSION_STATE.IoSessionStateDisconnectedLoggedOn = 5
IO_SESSION_STATE.IoSessionStateLoggedOn = 6
IO_SESSION_STATE.IoSessionStateLoggedOff = 7
IO_SESSION_STATE.IoSessionStateTerminated = 8
IO_SESSION_STATE.IoSessionStateMax = 9
PF_FILE_ACCESS_TYPE = v_enum()
PF_FILE_ACCESS_TYPE.PfFileAccessTypeRead = 0
PF_FILE_ACCESS_TYPE.PfFileAccessTypeWrite = 1
PF_FILE_ACCESS_TYPE.PfFileAccessTypeMax = 2
ARBITER_RESULT = v_enum()
ARBITER_RESULT.ArbiterResultUndefined = -1
ARBITER_RESULT.ArbiterResultSuccess = 0
ARBITER_RESULT.ArbiterResultExternalConflict = 1
ARBITER_RESULT.ArbiterResultNullRequest = 2
POWER_REQUEST_TYPE = v_enum()
POWER_REQUEST_TYPE.PowerRequestDisplayRequired = 0
POWER_REQUEST_TYPE.PowerRequestSystemRequired = 1
POWER_REQUEST_TYPE.PowerRequestAwayModeRequired = 2
POWER_REQUEST_TYPE.PowerRequestExecutionRequired = 3
POWER_REQUEST_TYPE_INTERNAL = v_enum()
POWER_REQUEST_TYPE_INTERNAL.PowerRequestDisplayRequiredInternal = 0
POWER_REQUEST_TYPE_INTERNAL.PowerRequestSystemRequiredInternal = 1
POWER_REQUEST_TYPE_INTERNAL.PowerRequestAwayModeRequiredInternal = 2
POWER_REQUEST_TYPE_INTERNAL.PowerRequestExecutionRequiredInternal = 3
POWER_REQUEST_TYPE_INTERNAL.PowerRequestPerfBoostRequiredInternal = 4
POWER_REQUEST_TYPE_INTERNAL.PowerRequestAudioAnyInternal = 5
POWER_REQUEST_TYPE_INTERNAL.PowerRequestAudioOffloadInternal = 6
POWER_REQUEST_TYPE_INTERNAL.PowerRequestVideoBatchingInternal = 7
POWER_REQUEST_TYPE_INTERNAL.PowerRequestFullScreenVideoInternal = 8
POWER_REQUEST_TYPE_INTERNAL.PowerRequestInternalInvalid = 9
POWER_ACTION = v_enum()
POWER_ACTION.PowerActionNone = 0
POWER_ACTION.PowerActionReserved = 1
POWER_ACTION.PowerActionSleep = 2
POWER_ACTION.PowerActionHibernate = 3
POWER_ACTION.PowerActionShutdown = 4
POWER_ACTION.PowerActionShutdownReset = 5
POWER_ACTION.PowerActionShutdownOff = 6
POWER_ACTION.PowerActionWarmEject = 7
ARBITER_REQUEST_SOURCE = v_enum()
ARBITER_REQUEST_SOURCE.ArbiterRequestUndefined = -1
ARBITER_REQUEST_SOURCE.ArbiterRequestLegacyReported = 0
ARBITER_REQUEST_SOURCE.ArbiterRequestHalReported = 1
ARBITER_REQUEST_SOURCE.ArbiterRequestLegacyAssigned = 2
ARBITER_REQUEST_SOURCE.ArbiterRequestPnpDetected = 3
ARBITER_REQUEST_SOURCE.ArbiterRequestPnpEnumerated = 4
KOBJECTS = v_enum()
KOBJECTS.EventNotificationObject = 0
KOBJECTS.EventSynchronizationObject = 1
KOBJECTS.MutantObject = 2
KOBJECTS.ProcessObject = 3
KOBJECTS.QueueObject = 4
KOBJECTS.SemaphoreObject = 5
KOBJECTS.ThreadObject = 6
KOBJECTS.GateObject = 7
KOBJECTS.TimerNotificationObject = 8
KOBJECTS.TimerSynchronizationObject = 9
KOBJECTS.Spare2Object = 10
KOBJECTS.Spare3Object = 11
KOBJECTS.Spare4Object = 12
KOBJECTS.Spare5Object = 13
KOBJECTS.Spare6Object = 14
KOBJECTS.Spare7Object = 15
KOBJECTS.Spare8Object = 16
KOBJECTS.ProfileCallbackObject = 17
KOBJECTS.ApcObject = 18
KOBJECTS.DpcObject = 19
KOBJECTS.DeviceQueueObject = 20
KOBJECTS.EventPairObject = 21
KOBJECTS.InterruptObject = 22
KOBJECTS.ProfileObject = 23
KOBJECTS.ThreadedDpcObject = 24
KOBJECTS.MaximumKernelObject = 25
CM_LOAD_FAILURE_TYPE = v_enum()
CM_LOAD_FAILURE_TYPE._None = 0
CM_LOAD_FAILURE_TYPE.CmInitializeHive = 1
CM_LOAD_FAILURE_TYPE.HvInitializeHive = 2
CM_LOAD_FAILURE_TYPE.HvpBuildMap = 3
CM_LOAD_FAILURE_TYPE.HvpBuildMapAndCopy = 4
CM_LOAD_FAILURE_TYPE.HvpInitMap = 5
CM_LOAD_FAILURE_TYPE.HvLoadHive = 6
CM_LOAD_FAILURE_TYPE.HvpReadFileImageAndBuildMap = 7
CM_LOAD_FAILURE_TYPE.HvpRecoverData = 8
CM_LOAD_FAILURE_TYPE.CmpValidateHiveSecurityDescriptors = 9
CM_LOAD_FAILURE_TYPE.HvpEnlistBinInMap = 10
CM_LOAD_FAILURE_TYPE.CmCheckRegistry = 11
CM_LOAD_FAILURE_TYPE.CmRegistryIO = 12
CM_LOAD_FAILURE_TYPE.CmCheckRegistry2 = 13
CM_LOAD_FAILURE_TYPE.CmpCheckKey = 14
CM_LOAD_FAILURE_TYPE.CmpCheckValueList = 15
CM_LOAD_FAILURE_TYPE.HvCheckHive = 16
CM_LOAD_FAILURE_TYPE.HvCheckBin = 17
ETW_BUFFER_STATE = v_enum()
ETW_BUFFER_STATE.EtwBufferStateFree = 0
ETW_BUFFER_STATE.EtwBufferStateGeneralLogging = 1
ETW_BUFFER_STATE.EtwBufferStateCSwitch = 2
ETW_BUFFER_STATE.EtwBufferStateFlush = 3
ETW_BUFFER_STATE.EtwBufferStateMaximum = 4
USER_ACTIVITY_PRESENCE = v_enum()
USER_ACTIVITY_PRESENCE.PowerUserPresent = 0
USER_ACTIVITY_PRESENCE.PowerUserNotPresent = 1
USER_ACTIVITY_PRESENCE.PowerUserInactive = 2
USER_ACTIVITY_PRESENCE.PowerUserMaximum = 3
USER_ACTIVITY_PRESENCE.PowerUserInvalid = 3
POWER_POLICY_DEVICE_TYPE = v_enum()
POWER_POLICY_DEVICE_TYPE.PolicyDeviceSystemButton = 0
POWER_POLICY_DEVICE_TYPE.PolicyDeviceThermalZone = 1
POWER_POLICY_DEVICE_TYPE.PolicyDeviceBattery = 2
POWER_POLICY_DEVICE_TYPE.PolicyDeviceMemory = 3
POWER_POLICY_DEVICE_TYPE.PolicyInitiatePowerActionAPI = 4
POWER_POLICY_DEVICE_TYPE.PolicySetPowerStateAPI = 5
POWER_POLICY_DEVICE_TYPE.PolicyImmediateDozeS4 = 6
POWER_POLICY_DEVICE_TYPE.PolicySystemIdle = 7
POWER_POLICY_DEVICE_TYPE.PolicyDeviceWakeAlarm = 8
POWER_POLICY_DEVICE_TYPE.PolicyDeviceMax = 9
UoWActionType = v_enum()
UoWActionType.UoWAddThisKey = 0
UoWActionType.UoWAddChildKey = 1
UoWActionType.UoWDeleteThisKey = 2
UoWActionType.UoWDeleteChildKey = 3
UoWActionType.UoWSetValueNew = 4
UoWActionType.UoWSetValueExisting = 5
UoWActionType.UoWDeleteValue = 6
UoWActionType.UoWSetKeyUserFlags = 7
UoWActionType.UoWSetLastWriteTime = 8
UoWActionType.UoWSetSecurityDescriptor = 9
UoWActionType.UoWRenameSubKey = 10
UoWActionType.UoWRenameOldSubKey = 11
UoWActionType.UoWRenameNewSubKey = 12
UoWActionType.UoWIsolation = 13
UoWActionType.UoWInvalid = 14
PERFINFO_MM_STAT = v_enum()
PERFINFO_MM_STAT.PerfInfoMMStatNotUsed = 0
PERFINFO_MM_STAT.PerfInfoMMStatAggregatePageCombine = 1
PERFINFO_MM_STAT.PerfInfoMMStatIterationPageCombine = 2
PERFINFO_MM_STAT.PerfInfoMMStatMax = 3
WHEA_ERROR_PACKET_DATA_FORMAT = v_enum()
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatIPFSalRecord = 0
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatXPFMCA = 1
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatMemory = 2
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatPCIExpress = 3
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatNMIPort = 4
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatPCIXBus = 5
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatPCIXDevice = 6
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatGeneric = 7
WHEA_ERROR_PACKET_DATA_FORMAT.WheaDataFormatMax = 8
DPFLTR_TYPE = v_enum()
DPFLTR_TYPE.DPFLTR_SYSTEM_ID = 0
DPFLTR_TYPE.DPFLTR_SMSS_ID = 1
DPFLTR_TYPE.DPFLTR_SETUP_ID = 2
DPFLTR_TYPE.DPFLTR_NTFS_ID = 3
DPFLTR_TYPE.DPFLTR_FSTUB_ID = 4
DPFLTR_TYPE.DPFLTR_CRASHDUMP_ID = 5
DPFLTR_TYPE.DPFLTR_CDAUDIO_ID = 6
DPFLTR_TYPE.DPFLTR_CDROM_ID = 7
DPFLTR_TYPE.DPFLTR_CLASSPNP_ID = 8
DPFLTR_TYPE.DPFLTR_DISK_ID = 9
DPFLTR_TYPE.DPFLTR_REDBOOK_ID = 10
DPFLTR_TYPE.DPFLTR_STORPROP_ID = 11
DPFLTR_TYPE.DPFLTR_SCSIPORT_ID = 12
DPFLTR_TYPE.DPFLTR_SCSIMINIPORT_ID = 13
DPFLTR_TYPE.DPFLTR_CONFIG_ID = 14
DPFLTR_TYPE.DPFLTR_I8042PRT_ID = 15
DPFLTR_TYPE.DPFLTR_SERMOUSE_ID = 16
DPFLTR_TYPE.DPFLTR_LSERMOUS_ID = 17
DPFLTR_TYPE.DPFLTR_KBDHID_ID = 18
DPFLTR_TYPE.DPFLTR_MOUHID_ID = 19
DPFLTR_TYPE.DPFLTR_KBDCLASS_ID = 20
DPFLTR_TYPE.DPFLTR_MOUCLASS_ID = 21
DPFLTR_TYPE.DPFLTR_TWOTRACK_ID = 22
DPFLTR_TYPE.DPFLTR_WMILIB_ID = 23
DPFLTR_TYPE.DPFLTR_ACPI_ID = 24
DPFLTR_TYPE.DPFLTR_AMLI_ID = 25
DPFLTR_TYPE.DPFLTR_HALIA64_ID = 26
DPFLTR_TYPE.DPFLTR_VIDEO_ID = 27
DPFLTR_TYPE.DPFLTR_SVCHOST_ID = 28
DPFLTR_TYPE.DPFLTR_VIDEOPRT_ID = 29
DPFLTR_TYPE.DPFLTR_TCPIP_ID = 30
DPFLTR_TYPE.DPFLTR_DMSYNTH_ID = 31
DPFLTR_TYPE.DPFLTR_NTOSPNP_ID = 32
DPFLTR_TYPE.DPFLTR_FASTFAT_ID = 33
DPFLTR_TYPE.DPFLTR_SAMSS_ID = 34
DPFLTR_TYPE.DPFLTR_PNPMGR_ID = 35
DPFLTR_TYPE.DPFLTR_NETAPI_ID = 36
DPFLTR_TYPE.DPFLTR_SCSERVER_ID = 37
DPFLTR_TYPE.DPFLTR_SCCLIENT_ID = 38
DPFLTR_TYPE.DPFLTR_SERIAL_ID = 39
DPFLTR_TYPE.DPFLTR_SERENUM_ID = 40
DPFLTR_TYPE.DPFLTR_UHCD_ID = 41
DPFLTR_TYPE.DPFLTR_RPCPROXY_ID = 42
DPFLTR_TYPE.DPFLTR_AUTOCHK_ID = 43
DPFLTR_TYPE.DPFLTR_DCOMSS_ID = 44
DPFLTR_TYPE.DPFLTR_UNIMODEM_ID = 45
DPFLTR_TYPE.DPFLTR_SIS_ID = 46
DPFLTR_TYPE.DPFLTR_FLTMGR_ID = 47
DPFLTR_TYPE.DPFLTR_WMICORE_ID = 48
DPFLTR_TYPE.DPFLTR_BURNENG_ID = 49
DPFLTR_TYPE.DPFLTR_IMAPI_ID = 50
DPFLTR_TYPE.DPFLTR_SXS_ID = 51
DPFLTR_TYPE.DPFLTR_FUSION_ID = 52
DPFLTR_TYPE.DPFLTR_IDLETASK_ID = 53
DPFLTR_TYPE.DPFLTR_SOFTPCI_ID = 54
DPFLTR_TYPE.DPFLTR_TAPE_ID = 55
DPFLTR_TYPE.DPFLTR_MCHGR_ID = 56
DPFLTR_TYPE.DPFLTR_IDEP_ID = 57
DPFLTR_TYPE.DPFLTR_PCIIDE_ID = 58
DPFLTR_TYPE.DPFLTR_FLOPPY_ID = 59
DPFLTR_TYPE.DPFLTR_FDC_ID = 60
DPFLTR_TYPE.DPFLTR_TERMSRV_ID = 61
DPFLTR_TYPE.DPFLTR_W32TIME_ID = 62
DPFLTR_TYPE.DPFLTR_PREFETCHER_ID = 63
DPFLTR_TYPE.DPFLTR_RSFILTER_ID = 64
DPFLTR_TYPE.DPFLTR_FCPORT_ID = 65
DPFLTR_TYPE.DPFLTR_PCI_ID = 66
DPFLTR_TYPE.DPFLTR_DMIO_ID = 67
DPFLTR_TYPE.DPFLTR_DMCONFIG_ID = 68
DPFLTR_TYPE.DPFLTR_DMADMIN_ID = 69
DPFLTR_TYPE.DPFLTR_WSOCKTRANSPORT_ID = 70
DPFLTR_TYPE.DPFLTR_VSS_ID = 71
DPFLTR_TYPE.DPFLTR_PNPMEM_ID = 72
DPFLTR_TYPE.DPFLTR_PROCESSOR_ID = 73
DPFLTR_TYPE.DPFLTR_DMSERVER_ID = 74
DPFLTR_TYPE.DPFLTR_SR_ID = 75
DPFLTR_TYPE.DPFLTR_INFINIBAND_ID = 76
DPFLTR_TYPE.DPFLTR_IHVDRIVER_ID = 77
DPFLTR_TYPE.DPFLTR_IHVVIDEO_ID = 78
DPFLTR_TYPE.DPFLTR_IHVAUDIO_ID = 79
DPFLTR_TYPE.DPFLTR_IHVNETWORK_ID = 80
DPFLTR_TYPE.DPFLTR_IHVSTREAMING_ID = 81
DPFLTR_TYPE.DPFLTR_IHVBUS_ID = 82
DPFLTR_TYPE.DPFLTR_HPS_ID = 83
DPFLTR_TYPE.DPFLTR_RTLTHREADPOOL_ID = 84
DPFLTR_TYPE.DPFLTR_LDR_ID = 85
DPFLTR_TYPE.DPFLTR_TCPIP6_ID = 86
DPFLTR_TYPE.DPFLTR_ISAPNP_ID = 87
DPFLTR_TYPE.DPFLTR_SHPC_ID = 88
DPFLTR_TYPE.DPFLTR_STORPORT_ID = 89
DPFLTR_TYPE.DPFLTR_STORMINIPORT_ID = 90
DPFLTR_TYPE.DPFLTR_PRINTSPOOLER_ID = 91
DPFLTR_TYPE.DPFLTR_VSSDYNDISK_ID = 92
DPFLTR_TYPE.DPFLTR_VERIFIER_ID = 93
DPFLTR_TYPE.DPFLTR_VDS_ID = 94
DPFLTR_TYPE.DPFLTR_VDSBAS_ID = 95
DPFLTR_TYPE.DPFLTR_VDSDYN_ID = 96
DPFLTR_TYPE.DPFLTR_VDSDYNDR_ID = 97
DPFLTR_TYPE.DPFLTR_VDSLDR_ID = 98
DPFLTR_TYPE.DPFLTR_VDSUTIL_ID = 99
DPFLTR_TYPE.DPFLTR_DFRGIFC_ID = 100
DPFLTR_TYPE.DPFLTR_DEFAULT_ID = 101
DPFLTR_TYPE.DPFLTR_MM_ID = 102
DPFLTR_TYPE.DPFLTR_DFSC_ID = 103
DPFLTR_TYPE.DPFLTR_WOW64_ID = 104
DPFLTR_TYPE.DPFLTR_ALPC_ID = 105
DPFLTR_TYPE.DPFLTR_WDI_ID = 106
DPFLTR_TYPE.DPFLTR_PERFLIB_ID = 107
DPFLTR_TYPE.DPFLTR_KTM_ID = 108
DPFLTR_TYPE.DPFLTR_IOSTRESS_ID = 109
DPFLTR_TYPE.DPFLTR_HEAP_ID = 110
DPFLTR_TYPE.DPFLTR_WHEA_ID = 111
DPFLTR_TYPE.DPFLTR_USERGDI_ID = 112
DPFLTR_TYPE.DPFLTR_MMCSS_ID = 113
DPFLTR_TYPE.DPFLTR_TPM_ID = 114
DPFLTR_TYPE.DPFLTR_THREADORDER_ID = 115
DPFLTR_TYPE.DPFLTR_ENVIRON_ID = 116
DPFLTR_TYPE.DPFLTR_EMS_ID = 117
DPFLTR_TYPE.DPFLTR_WDT_ID = 118
DPFLTR_TYPE.DPFLTR_FVEVOL_ID = 119
DPFLTR_TYPE.DPFLTR_NDIS_ID = 120
DPFLTR_TYPE.DPFLTR_NVCTRACE_ID = 121
DPFLTR_TYPE.DPFLTR_LUAFV_ID = 122
DPFLTR_TYPE.DPFLTR_APPCOMPAT_ID = 123
DPFLTR_TYPE.DPFLTR_USBSTOR_ID = 124
DPFLTR_TYPE.DPFLTR_SBP2PORT_ID = 125
DPFLTR_TYPE.DPFLTR_COVERAGE_ID = 126
DPFLTR_TYPE.DPFLTR_CACHEMGR_ID = 127
DPFLTR_TYPE.DPFLTR_MOUNTMGR_ID = 128
DPFLTR_TYPE.DPFLTR_CFR_ID = 129
DPFLTR_TYPE.DPFLTR_TXF_ID = 130
DPFLTR_TYPE.DPFLTR_KSECDD_ID = 131
DPFLTR_TYPE.DPFLTR_FLTREGRESS_ID = 132
DPFLTR_TYPE.DPFLTR_MPIO_ID = 133
DPFLTR_TYPE.DPFLTR_MSDSM_ID = 134
DPFLTR_TYPE.DPFLTR_UDFS_ID = 135
DPFLTR_TYPE.DPFLTR_PSHED_ID = 136
DPFLTR_TYPE.DPFLTR_STORVSP_ID = 137
DPFLTR_TYPE.DPFLTR_LSASS_ID = 138
DPFLTR_TYPE.DPFLTR_SSPICLI_ID = 139
DPFLTR_TYPE.DPFLTR_CNG_ID = 140
DPFLTR_TYPE.DPFLTR_EXFAT_ID = 141
DPFLTR_TYPE.DPFLTR_FILETRACE_ID = 142
DPFLTR_TYPE.DPFLTR_XSAVE_ID = 143
DPFLTR_TYPE.DPFLTR_SE_ID = 144
DPFLTR_TYPE.DPFLTR_DRIVEEXTENDER_ID = 145
DPFLTR_TYPE.DPFLTR_POWER_ID = 146
DPFLTR_TYPE.DPFLTR_CRASHDUMPXHCI_ID = 147
DPFLTR_TYPE.DPFLTR_GPIO_ID = 148
DPFLTR_TYPE.DPFLTR_REFS_ID = 149
DPFLTR_TYPE.DPFLTR_ENDOFTABLE_ID = 150
DMA_SPEED = v_enum()
DMA_SPEED.Compatible = 0
DMA_SPEED.TypeA = 1
DMA_SPEED.TypeB = 2
DMA_SPEED.TypeC = 3
DMA_SPEED.TypeF = 4
DMA_SPEED.MaximumDmaSpeed = 5
IO_PRIORITY_HINT = v_enum()
IO_PRIORITY_HINT.IoPriorityVeryLow = 0
IO_PRIORITY_HINT.IoPriorityLow = 1
IO_PRIORITY_HINT.IoPriorityNormal = 2
IO_PRIORITY_HINT.IoPriorityHigh = 3
IO_PRIORITY_HINT.IoPriorityCritical = 4
IO_PRIORITY_HINT.MaxIoPriorityTypes = 5
SYSTEM_POWER_CONDITION = v_enum()
SYSTEM_POWER_CONDITION.PoAc = 0
SYSTEM_POWER_CONDITION.PoDc = 1
SYSTEM_POWER_CONDITION.PoHot = 2
SYSTEM_POWER_CONDITION.PoConditionMaximum = 3
KTRANSACTION_OUTCOME = v_enum()
KTRANSACTION_OUTCOME.KTxOutcomeUninitialized = 0
KTRANSACTION_OUTCOME.KTxOutcomeUndetermined = 1
KTRANSACTION_OUTCOME.KTxOutcomeCommitted = 2
KTRANSACTION_OUTCOME.KTxOutcomeAborted = 3
KTRANSACTION_OUTCOME.KTxOutcomeUnavailable = 4
KENLISTMENT_STATE = v_enum()
KENLISTMENT_STATE.KEnlistmentUninitialized = 0
KENLISTMENT_STATE.KEnlistmentActive = 256
KENLISTMENT_STATE.KEnlistmentPreparing = 257
KENLISTMENT_STATE.KEnlistmentPrepared = 258
KENLISTMENT_STATE.KEnlistmentInDoubt = 259
KENLISTMENT_STATE.KEnlistmentCommitted = 260
KENLISTMENT_STATE.KEnlistmentCommittedNotify = 261
KENLISTMENT_STATE.KEnlistmentCommitRequested = 262
KENLISTMENT_STATE.KEnlistmentAborted = 263
KENLISTMENT_STATE.KEnlistmentDelegated = 264
KENLISTMENT_STATE.KEnlistmentDelegatedDisconnected = 265
KENLISTMENT_STATE.KEnlistmentPrePreparing = 266
KENLISTMENT_STATE.KEnlistmentForgotten = 267
KENLISTMENT_STATE.KEnlistmentRecovering = 268
KENLISTMENT_STATE.KEnlistmentAborting = 269
KENLISTMENT_STATE.KEnlistmentReadOnly = 270
KENLISTMENT_STATE.KEnlistmentOutcomeUnavailable = 271
KENLISTMENT_STATE.KEnlistmentOffline = 272
KENLISTMENT_STATE.KEnlistmentPrePrepared = 273
KENLISTMENT_STATE.KEnlistmentInitialized = 274
SE_WS_APPX_SIGNATURE_ORIGIN = v_enum()
SE_WS_APPX_SIGNATURE_ORIGIN.SE_WS_APPX_SIGNATURE_ORIGIN_NOT_VALIDATED = 0
SE_WS_APPX_SIGNATURE_ORIGIN.SE_WS_APPX_SIGNATURE_ORIGIN_UNKNOWN = 1
SE_WS_APPX_SIGNATURE_ORIGIN.SE_WS_APPX_SIGNATURE_ORIGIN_APPSTORE = 2
SE_WS_APPX_SIGNATURE_ORIGIN.SE_WS_APPX_SIGNATURE_ORIGIN_WINDOWS = 3
DMA_WIDTH = v_enum()
DMA_WIDTH.Width8Bits = 0
DMA_WIDTH.Width16Bits = 1
DMA_WIDTH.Width32Bits = 2
DMA_WIDTH.Width64Bits = 3
DMA_WIDTH.WidthNoWrap = 4
DMA_WIDTH.MaximumDmaWidth = 5
EX_POOL_PRIORITY = v_enum()
EX_POOL_PRIORITY.LowPoolPriority = 0
EX_POOL_PRIORITY.LowPoolPrioritySpecialPoolOverrun = 8
EX_POOL_PRIORITY.LowPoolPrioritySpecialPoolUnderrun = 9
EX_POOL_PRIORITY.NormalPoolPriority = 16
EX_POOL_PRIORITY.NormalPoolPrioritySpecialPoolOverrun = 24
EX_POOL_PRIORITY.NormalPoolPrioritySpecialPoolUnderrun = 25
EX_POOL_PRIORITY.HighPoolPriority = 32
EX_POOL_PRIORITY.HighPoolPrioritySpecialPoolOverrun = 40
EX_POOL_PRIORITY.HighPoolPrioritySpecialPoolUnderrun = 41
DUMP_EVENTS = v_enum()
DUMP_EVENTS.DUMP_EVENT_NONE = 0
DUMP_EVENTS.DUMP_EVENT_HIBER_RESUME = 1
DUMP_EVENTS.DUMP_EVENT_HIBER_RESUME_END = 2
KINTERRUPT_POLARITY = v_enum()
KINTERRUPT_POLARITY.InterruptPolarityUnknown = 0
KINTERRUPT_POLARITY.InterruptActiveHigh = 1
KINTERRUPT_POLARITY.InterruptRisingEdge = 1
KINTERRUPT_POLARITY.InterruptActiveLow = 2
KINTERRUPT_POLARITY.InterruptFallingEdge = 2
KINTERRUPT_POLARITY.InterruptActiveBoth = 3
PNP_VETO_TYPE = v_enum()
PNP_VETO_TYPE.PNP_VetoTypeUnknown = 0
PNP_VETO_TYPE.PNP_VetoLegacyDevice = 1
PNP_VETO_TYPE.PNP_VetoPendingClose = 2
PNP_VETO_TYPE.PNP_VetoWindowsApp = 3
PNP_VETO_TYPE.PNP_VetoWindowsService = 4
PNP_VETO_TYPE.PNP_VetoOutstandingOpen = 5
PNP_VETO_TYPE.PNP_VetoDevice = 6
PNP_VETO_TYPE.PNP_VetoDriver = 7
PNP_VETO_TYPE.PNP_VetoIllegalDeviceRequest = 8
PNP_VETO_TYPE.PNP_VetoInsufficientPower = 9
PNP_VETO_TYPE.PNP_VetoNonDisableable = 10
PNP_VETO_TYPE.PNP_VetoLegacyDriver = 11
PNP_VETO_TYPE.PNP_VetoInsufficientRights = 12
LDR_DLL_LOAD_REASON = v_enum()
LDR_DLL_LOAD_REASON.LoadReasonStaticDependency = 0
LDR_DLL_LOAD_REASON.LoadReasonStaticForwarderDependency = 1
LDR_DLL_LOAD_REASON.LoadReasonDynamicForwarderDependency = 2
LDR_DLL_LOAD_REASON.LoadReasonDelayloadDependency = 3
LDR_DLL_LOAD_REASON.LoadReasonDynamicLoad = 4
LDR_DLL_LOAD_REASON.LoadReasonAsImageLoad = 5
LDR_DLL_LOAD_REASON.LoadReasonAsDataLoad = 6
LDR_DLL_LOAD_REASON.LoadReasonUnknown = -1
KTHREAD_STATE = v_enum()
KTHREAD_STATE.Initialized = 0
KTHREAD_STATE.Ready = 1
KTHREAD_STATE.Running = 2
KTHREAD_STATE.Standby = 3
KTHREAD_STATE.Terminated = 4
KTHREAD_STATE.Waiting = 5
KTHREAD_STATE.Transition = 6
KTHREAD_STATE.DeferredReady = 7
KTHREAD_STATE.GateWaitObsolete = 8
DEVPROP_OPERATOR = v_enum()
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MODIFIER_NOT = 65536
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MODIFIER_IGNORE_CASE = 131072
DEVPROP_OPERATOR.DEVPROP_OPERATOR_NONE = 0
DEVPROP_OPERATOR.DEVPROP_OPERATOR_EXISTS = 1
DEVPROP_OPERATOR.DEVPROP_OPERATOR_EQUALS = 2
DEVPROP_OPERATOR.DEVPROP_OPERATOR_NOT_EQUALS = 65538
DEVPROP_OPERATOR.DEVPROP_OPERATOR_GREATER_THAN = 3
DEVPROP_OPERATOR.DEVPROP_OPERATOR_LESS_THAN = 4
DEVPROP_OPERATOR.DEVPROP_OPERATOR_GREATER_THAN_EQUALS = 5
DEVPROP_OPERATOR.DEVPROP_OPERATOR_LESS_THAN_EQUALS = 6
DEVPROP_OPERATOR.DEVPROP_OPERATOR_EQUALS_IGNORE_CASE = 131074
DEVPROP_OPERATOR.DEVPROP_OPERATOR_NOT_EQUALS_IGNORE_CASE = 196610
DEVPROP_OPERATOR.DEVPROP_OPERATOR_BITWISE_AND = 7
DEVPROP_OPERATOR.DEVPROP_OPERATOR_BITWISE_OR = 8
DEVPROP_OPERATOR.DEVPROP_OPERATOR_LIST_CONTAINS = 4096
DEVPROP_OPERATOR.DEVPROP_OPERATOR_LIST_CONTAINS_IGNORE_CASE = 135168
DEVPROP_OPERATOR.DEVPROP_OPERATOR_AND_OPEN = 1048576
DEVPROP_OPERATOR.DEVPROP_OPERATOR_AND_CLOSE = 2097152
DEVPROP_OPERATOR.DEVPROP_OPERATOR_OR_OPEN = 3145728
DEVPROP_OPERATOR.DEVPROP_OPERATOR_OR_CLOSE = 4194304
DEVPROP_OPERATOR.DEVPROP_OPERATOR_NOT_OPEN = 5242880
DEVPROP_OPERATOR.DEVPROP_OPERATOR_NOT_CLOSE = 6291456
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MASK_EVAL = 4095
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MASK_LIST = 61440
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MASK_MODIFIER = 983040
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MASK_NOT_LOGICAL = 1048575
DEVPROP_OPERATOR.DEVPROP_OPERATOR_MASK_LOGICAL = -1048576
SECURITY_IMPERSONATION_LEVEL = v_enum()
SECURITY_IMPERSONATION_LEVEL.SecurityAnonymous = 0
SECURITY_IMPERSONATION_LEVEL.SecurityIdentification = 1
SECURITY_IMPERSONATION_LEVEL.SecurityImpersonation = 2
SECURITY_IMPERSONATION_LEVEL.SecurityDelegation = 3
TOKEN_INFORMATION_CLASS = v_enum()
TOKEN_INFORMATION_CLASS.TokenUser = 1
TOKEN_INFORMATION_CLASS.TokenGroups = 2
TOKEN_INFORMATION_CLASS.TokenPrivileges = 3
TOKEN_INFORMATION_CLASS.TokenOwner = 4
TOKEN_INFORMATION_CLASS.TokenPrimaryGroup = 5
TOKEN_INFORMATION_CLASS.TokenDefaultDacl = 6
TOKEN_INFORMATION_CLASS.TokenSource = 7
TOKEN_INFORMATION_CLASS.TokenType = 8
TOKEN_INFORMATION_CLASS.TokenImpersonationLevel = 9
TOKEN_INFORMATION_CLASS.TokenStatistics = 10
TOKEN_INFORMATION_CLASS.TokenRestrictedSids = 11
TOKEN_INFORMATION_CLASS.TokenSessionId = 12
TOKEN_INFORMATION_CLASS.TokenGroupsAndPrivileges = 13
TOKEN_INFORMATION_CLASS.TokenSessionReference = 14
TOKEN_INFORMATION_CLASS.TokenSandBoxInert = 15
TOKEN_INFORMATION_CLASS.TokenAuditPolicy = 16
TOKEN_INFORMATION_CLASS.TokenOrigin = 17
TOKEN_INFORMATION_CLASS.TokenElevationType = 18
TOKEN_INFORMATION_CLASS.TokenLinkedToken = 19
TOKEN_INFORMATION_CLASS.TokenElevation = 20
TOKEN_INFORMATION_CLASS.TokenHasRestrictions = 21
TOKEN_INFORMATION_CLASS.TokenAccessInformation = 22
TOKEN_INFORMATION_CLASS.TokenVirtualizationAllowed = 23
TOKEN_INFORMATION_CLASS.TokenVirtualizationEnabled = 24
TOKEN_INFORMATION_CLASS.TokenIntegrityLevel = 25
TOKEN_INFORMATION_CLASS.TokenUIAccess = 26
TOKEN_INFORMATION_CLASS.TokenMandatoryPolicy = 27
TOKEN_INFORMATION_CLASS.TokenLogonSid = 28
TOKEN_INFORMATION_CLASS.TokenIsAppContainer = 29
TOKEN_INFORMATION_CLASS.TokenCapabilities = 30
TOKEN_INFORMATION_CLASS.TokenAppContainerSid = 31
TOKEN_INFORMATION_CLASS.TokenAppContainerNumber = 32
TOKEN_INFORMATION_CLASS.TokenUserClaimAttributes = 33
TOKEN_INFORMATION_CLASS.TokenDeviceClaimAttributes = 34
TOKEN_INFORMATION_CLASS.TokenRestrictedUserClaimAttributes = 35
TOKEN_INFORMATION_CLASS.TokenRestrictedDeviceClaimAttributes = 36
TOKEN_INFORMATION_CLASS.TokenDeviceGroups = 37
TOKEN_INFORMATION_CLASS.TokenRestrictedDeviceGroups = 38
TOKEN_INFORMATION_CLASS.TokenSecurityAttributes = 39
TOKEN_INFORMATION_CLASS.TokenIsRestricted = 40
TOKEN_INFORMATION_CLASS.MaxTokenInfoClass = 41
KRESOURCEMANAGER_STATE = v_enum()
KRESOURCEMANAGER_STATE.KResourceManagerUninitialized = 0
KRESOURCEMANAGER_STATE.KResourceManagerOffline = 1
KRESOURCEMANAGER_STATE.KResourceManagerOnline = 2
ALTERNATIVE_ARCHITECTURE_TYPE = v_enum()
ALTERNATIVE_ARCHITECTURE_TYPE.StandardDesign = 0
ALTERNATIVE_ARCHITECTURE_TYPE.NEC98x86 = 1
ALTERNATIVE_ARCHITECTURE_TYPE.EndAlternatives = 2
PCW_CALLBACK_TYPE = v_enum()
PCW_CALLBACK_TYPE.PcwCallbackAddCounter = 0
PCW_CALLBACK_TYPE.PcwCallbackRemoveCounter = 1
PCW_CALLBACK_TYPE.PcwCallbackEnumerateInstances = 2
PCW_CALLBACK_TYPE.PcwCallbackCollectData = 3
REQUESTER_TYPE = v_enum()
REQUESTER_TYPE.KernelRequester = 0
REQUESTER_TYPE.UserProcessRequester = 1
REQUESTER_TYPE.UserSharedServiceRequester = 2
JOBOBJECTINFOCLASS = v_enum()
JOBOBJECTINFOCLASS.JobObjectBasicAccountingInformation = 1
JOBOBJECTINFOCLASS.JobObjectBasicLimitInformation = 2
JOBOBJECTINFOCLASS.JobObjectBasicProcessIdList = 3
JOBOBJECTINFOCLASS.JobObjectBasicUIRestrictions = 4
JOBOBJECTINFOCLASS.JobObjectSecurityLimitInformation = 5
JOBOBJECTINFOCLASS.JobObjectEndOfJobTimeInformation = 6
JOBOBJECTINFOCLASS.JobObjectAssociateCompletionPortInformation = 7
JOBOBJECTINFOCLASS.JobObjectBasicAndIoAccountingInformation = 8
JOBOBJECTINFOCLASS.JobObjectExtendedLimitInformation = 9
JOBOBJECTINFOCLASS.JobObjectJobSetInformation = 10
JOBOBJECTINFOCLASS.JobObjectGroupInformation = 11
JOBOBJECTINFOCLASS.JobObjectNotificationLimitInformation = 12
JOBOBJECTINFOCLASS.JobObjectLimitViolationInformation = 13
JOBOBJECTINFOCLASS.JobObjectGroupInformationEx = 14
JOBOBJECTINFOCLASS.JobObjectCpuRateControlInformation = 15
JOBOBJECTINFOCLASS.JobObjectCompletionFilter = 16
JOBOBJECTINFOCLASS.JobObjectCompletionCounter = 17
JOBOBJECTINFOCLASS.JobObjectFreezeInformation = 18
JOBOBJECTINFOCLASS.JobObjectExtendedAccountingInformation = 19
JOBOBJECTINFOCLASS.JobObjectWakeInformation = 20
JOBOBJECTINFOCLASS.JobObjectBackgroundInformation = 21
JOBOBJECTINFOCLASS.JobObjectSchedulingRankBiasInformation = 22
JOBOBJECTINFOCLASS.JobObjectTimerVirtualizationInformation = 23
JOBOBJECTINFOCLASS.JobObjectCycleTimeNotification = 24
JOBOBJECTINFOCLASS.JobObjectClearEvent = 25
JOBOBJECTINFOCLASS.JobObjectReserved1Information = 18
JOBOBJECTINFOCLASS.JobObjectReserved2Information = 19
JOBOBJECTINFOCLASS.JobObjectReserved3Information = 20
JOBOBJECTINFOCLASS.JobObjectReserved4Information = 21
JOBOBJECTINFOCLASS.JobObjectReserved5Information = 22
JOBOBJECTINFOCLASS.JobObjectReserved6Information = 23
JOBOBJECTINFOCLASS.JobObjectReserved7Information = 24
JOBOBJECTINFOCLASS.JobObjectReserved8Information = 25
JOBOBJECTINFOCLASS.MaxJobObjectInfoClass = 26
SYSTEM_POWER_STATE = v_enum()
SYSTEM_POWER_STATE.PowerSystemUnspecified = 0
SYSTEM_POWER_STATE.PowerSystemWorking = 1
SYSTEM_POWER_STATE.PowerSystemSleeping1 = 2
SYSTEM_POWER_STATE.PowerSystemSleeping2 = 3
SYSTEM_POWER_STATE.PowerSystemSleeping3 = 4
SYSTEM_POWER_STATE.PowerSystemHibernate = 5
SYSTEM_POWER_STATE.PowerSystemShutdown = 6
SYSTEM_POWER_STATE.PowerSystemMaximum = 7
MEMORY_CACHING_TYPE_ORIG = v_enum()
MEMORY_CACHING_TYPE_ORIG.MmFrameBufferCached = 2
PROFILE_STATUS = v_enum()
PROFILE_STATUS.DOCK_NOTDOCKDEVICE = 0
PROFILE_STATUS.DOCK_QUIESCENT = 1
PROFILE_STATUS.DOCK_ARRIVING = 2
PROFILE_STATUS.DOCK_DEPARTING = 3
PROFILE_STATUS.DOCK_EJECTIRP_COMPLETED = 4
MM_POOL_PRIORITIES = v_enum()
MM_POOL_PRIORITIES.MmHighPriority = 0
MM_POOL_PRIORITIES.MmNormalPriority = 1
MM_POOL_PRIORITIES.MmLowPriority = 2
MM_POOL_PRIORITIES.MmMaximumPoolPriority = 3
BLOB_ID = v_enum()
BLOB_ID.BLOB_TYPE_UNKNOWN = 0
BLOB_ID.BLOB_TYPE_CONNECTION_INFO = 1
BLOB_ID.BLOB_TYPE_MESSAGE = 2
BLOB_ID.BLOB_TYPE_SECURITY_CONTEXT = 3
BLOB_ID.BLOB_TYPE_SECTION = 4
BLOB_ID.BLOB_TYPE_REGION = 5
BLOB_ID.BLOB_TYPE_VIEW = 6
BLOB_ID.BLOB_TYPE_RESERVE = 7
BLOB_ID.BLOB_TYPE_DIRECT_TRANSFER = 8
BLOB_ID.BLOB_TYPE_HANDLE_DATA = 9
BLOB_ID.BLOB_TYPE_MAX_ID = 10
WHEA_ERROR_SOURCE_STATE = v_enum()
WHEA_ERROR_SOURCE_STATE.WheaErrSrcStateStopped = 1
WHEA_ERROR_SOURCE_STATE.WheaErrSrcStateStarted = 2
REG_NOTIFY_CLASS = v_enum()
REG_NOTIFY_CLASS.RegNtDeleteKey = 0
REG_NOTIFY_CLASS.RegNtPreDeleteKey = 0
REG_NOTIFY_CLASS.RegNtSetValueKey = 1
REG_NOTIFY_CLASS.RegNtPreSetValueKey = 1
REG_NOTIFY_CLASS.RegNtDeleteValueKey = 2
REG_NOTIFY_CLASS.RegNtPreDeleteValueKey = 2
REG_NOTIFY_CLASS.RegNtSetInformationKey = 3
REG_NOTIFY_CLASS.RegNtPreSetInformationKey = 3
REG_NOTIFY_CLASS.RegNtRenameKey = 4
REG_NOTIFY_CLASS.RegNtPreRenameKey = 4
REG_NOTIFY_CLASS.RegNtEnumerateKey = 5
REG_NOTIFY_CLASS.RegNtPreEnumerateKey = 5
REG_NOTIFY_CLASS.RegNtEnumerateValueKey = 6
REG_NOTIFY_CLASS.RegNtPreEnumerateValueKey = 6
REG_NOTIFY_CLASS.RegNtQueryKey = 7
REG_NOTIFY_CLASS.RegNtPreQueryKey = 7
REG_NOTIFY_CLASS.RegNtQueryValueKey = 8
REG_NOTIFY_CLASS.RegNtPreQueryValueKey = 8
REG_NOTIFY_CLASS.RegNtQueryMultipleValueKey = 9
REG_NOTIFY_CLASS.RegNtPreQueryMultipleValueKey = 9
REG_NOTIFY_CLASS.RegNtPreCreateKey = 10
REG_NOTIFY_CLASS.RegNtPostCreateKey = 11
REG_NOTIFY_CLASS.RegNtPreOpenKey = 12
REG_NOTIFY_CLASS.RegNtPostOpenKey = 13
REG_NOTIFY_CLASS.RegNtKeyHandleClose = 14
REG_NOTIFY_CLASS.RegNtPreKeyHandleClose = 14
REG_NOTIFY_CLASS.RegNtPostDeleteKey = 15
REG_NOTIFY_CLASS.RegNtPostSetValueKey = 16
REG_NOTIFY_CLASS.RegNtPostDeleteValueKey = 17
REG_NOTIFY_CLASS.RegNtPostSetInformationKey = 18
REG_NOTIFY_CLASS.RegNtPostRenameKey = 19
REG_NOTIFY_CLASS.RegNtPostEnumerateKey = 20
REG_NOTIFY_CLASS.RegNtPostEnumerateValueKey = 21
REG_NOTIFY_CLASS.RegNtPostQueryKey = 22
REG_NOTIFY_CLASS.RegNtPostQueryValueKey = 23
REG_NOTIFY_CLASS.RegNtPostQueryMultipleValueKey = 24
REG_NOTIFY_CLASS.RegNtPostKeyHandleClose = 25
REG_NOTIFY_CLASS.RegNtPreCreateKeyEx = 26
REG_NOTIFY_CLASS.RegNtPostCreateKeyEx = 27
REG_NOTIFY_CLASS.RegNtPreOpenKeyEx = 28
REG_NOTIFY_CLASS.RegNtPostOpenKeyEx = 29
REG_NOTIFY_CLASS.RegNtPreFlushKey = 30
REG_NOTIFY_CLASS.RegNtPostFlushKey = 31
REG_NOTIFY_CLASS.RegNtPreLoadKey = 32
REG_NOTIFY_CLASS.RegNtPostLoadKey = 33
REG_NOTIFY_CLASS.RegNtPreUnLoadKey = 34
REG_NOTIFY_CLASS.RegNtPostUnLoadKey = 35
REG_NOTIFY_CLASS.RegNtPreQueryKeySecurity = 36
REG_NOTIFY_CLASS.RegNtPostQueryKeySecurity = 37
REG_NOTIFY_CLASS.RegNtPreSetKeySecurity = 38
REG_NOTIFY_CLASS.RegNtPostSetKeySecurity = 39
REG_NOTIFY_CLASS.RegNtCallbackObjectContextCleanup = 40
REG_NOTIFY_CLASS.RegNtPreRestoreKey = 41
REG_NOTIFY_CLASS.RegNtPostRestoreKey = 42
REG_NOTIFY_CLASS.RegNtPreSaveKey = 43
REG_NOTIFY_CLASS.RegNtPostSaveKey = 44
REG_NOTIFY_CLASS.RegNtPreReplaceKey = 45
REG_NOTIFY_CLASS.RegNtPostReplaceKey = 46
REG_NOTIFY_CLASS.MaxRegNtNotifyClass = 47
MM_POOL_FAILURE_REASONS = v_enum()
MM_POOL_FAILURE_REASONS.MmNonPagedNoPtes = 0
MM_POOL_FAILURE_REASONS.MmPriorityTooLow = 1
MM_POOL_FAILURE_REASONS.MmNonPagedNoPagesAvailable = 2
MM_POOL_FAILURE_REASONS.MmPagedNoPtes = 3
MM_POOL_FAILURE_REASONS.MmSessionPagedNoPtes = 4
MM_POOL_FAILURE_REASONS.MmPagedNoPagesAvailable = 5
MM_POOL_FAILURE_REASONS.MmSessionPagedNoPagesAvailable = 6
MM_POOL_FAILURE_REASONS.MmPagedNoCommit = 7
MM_POOL_FAILURE_REASONS.MmSessionPagedNoCommit = 8
MM_POOL_FAILURE_REASONS.MmNonPagedNoResidentAvailable = 9
MM_POOL_FAILURE_REASONS.MmNonPagedNoCommit = 10
MM_POOL_FAILURE_REASONS.MmMaximumFailureReason = 11
BUS_QUERY_ID_TYPE = v_enum()
BUS_QUERY_ID_TYPE.BusQueryDeviceID = 0
BUS_QUERY_ID_TYPE.BusQueryHardwareIDs = 1
BUS_QUERY_ID_TYPE.BusQueryCompatibleIDs = 2
BUS_QUERY_ID_TYPE.BusQueryInstanceID = 3
BUS_QUERY_ID_TYPE.BusQueryDeviceSerialNumber = 4
BUS_QUERY_ID_TYPE.BusQueryContainerID = 5
PROC_HYPERVISOR_STATE = v_enum()
PROC_HYPERVISOR_STATE.ProcHypervisorNone = 0
PROC_HYPERVISOR_STATE.ProcHypervisorPresent = 1
PROC_HYPERVISOR_STATE.ProcHypervisorPower = 2
MM_PREEMPTIVE_TRIMS = v_enum()
MM_PREEMPTIVE_TRIMS.MmPreemptForNonPaged = 0
MM_PREEMPTIVE_TRIMS.MmPreemptForPaged = 1
MM_PREEMPTIVE_TRIMS.MmPreemptForNonPagedPriority = 2
MM_PREEMPTIVE_TRIMS.MmPreemptForPagedPriority = 3
MM_PREEMPTIVE_TRIMS.MmMaximumPreempt = 4
TRACE_INFORMATION_CLASS = v_enum()
TRACE_INFORMATION_CLASS.TraceIdClass = 0
TRACE_INFORMATION_CLASS.TraceHandleClass = 1
TRACE_INFORMATION_CLASS.TraceEnableFlagsClass = 2
TRACE_INFORMATION_CLASS.TraceEnableLevelClass = 3
TRACE_INFORMATION_CLASS.GlobalLoggerHandleClass = 4
TRACE_INFORMATION_CLASS.EventLoggerHandleClass = 5
TRACE_INFORMATION_CLASS.AllLoggerHandlesClass = 6
TRACE_INFORMATION_CLASS.TraceHandleByNameClass = 7
TRACE_INFORMATION_CLASS.LoggerEventsLostClass = 8
TRACE_INFORMATION_CLASS.TraceSessionSettingsClass = 9
TRACE_INFORMATION_CLASS.LoggerEventsLoggedClass = 10
TRACE_INFORMATION_CLASS.DiskIoNotifyRoutinesClass = 11
TRACE_INFORMATION_CLASS.TraceInformationClassReserved1 = 12
TRACE_INFORMATION_CLASS.AllPossibleNotifyRoutinesClass = 12
TRACE_INFORMATION_CLASS.FltIoNotifyRoutinesClass = 13
TRACE_INFORMATION_CLASS.TraceInformationClassReserved2 = 14
TRACE_INFORMATION_CLASS.HypervisorStackwalkRoutineClass = 14
TRACE_INFORMATION_CLASS.WdfNotifyRoutinesClass = 15
TRACE_INFORMATION_CLASS.MaxTraceInformationClass = 16
WHEA_ERROR_SEVERITY = v_enum()
WHEA_ERROR_SEVERITY.WheaErrSevRecoverable = 0
WHEA_ERROR_SEVERITY.WheaErrSevFatal = 1
WHEA_ERROR_SEVERITY.WheaErrSevCorrected = 2
WHEA_ERROR_SEVERITY.WheaErrSevInformational = 3
VI_DEADLOCK_RESOURCE_TYPE = v_enum()
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockUnknown = 0
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockMutex = 1
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockMutexAbandoned = 2
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockFastMutex = 3
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockFastMutexUnsafe = 4
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockSpinLock = 5
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockInStackQueuedSpinLock = 6
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockUnusedSpinLock = 7
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockEresource = 8
VI_DEADLOCK_RESOURCE_TYPE.VfDeadlockTypeMaximum = 9
KWAIT_STATE = v_enum()
KWAIT_STATE.WaitInProgress = 0
KWAIT_STATE.WaitCommitted = 1
KWAIT_STATE.WaitAborted = 2
KWAIT_STATE.MaximumWaitState = 3
OBJECT_INFORMATION_CLASS = v_enum()
OBJECT_INFORMATION_CLASS.ObjectBasicInformation = 0
OBJECT_INFORMATION_CLASS.ObjectNameInformation = 1
OBJECT_INFORMATION_CLASS.ObjectTypeInformation = 2
OBJECT_INFORMATION_CLASS.ObjectTypesInformation = 3
OBJECT_INFORMATION_CLASS.ObjectHandleFlagInformation = 4
OBJECT_INFORMATION_CLASS.ObjectSessionInformation = 5
OBJECT_INFORMATION_CLASS.MaxObjectInfoClass = 6
ARBITER_ACTION = v_enum()
ARBITER_ACTION.ArbiterActionTestAllocation = 0
ARBITER_ACTION.ArbiterActionRetestAllocation = 1
ARBITER_ACTION.ArbiterActionCommitAllocation = 2
ARBITER_ACTION.ArbiterActionRollbackAllocation = 3
ARBITER_ACTION.ArbiterActionQueryAllocatedResources = 4
ARBITER_ACTION.ArbiterActionWriteReservedResources = 5
ARBITER_ACTION.ArbiterActionQueryConflict = 6
ARBITER_ACTION.ArbiterActionQueryArbitrate = 7
ARBITER_ACTION.ArbiterActionAddReserved = 8
ARBITER_ACTION.ArbiterActionBootAllocation = 9
PROCESS_VA_TYPE = v_enum()
PROCESS_VA_TYPE.ProcessVAImage = 0
PROCESS_VA_TYPE.ProcessVASection = 1
PROCESS_VA_TYPE.ProcessVAPrivate = 2
PROCESS_VA_TYPE.ProcessVAMax = 3
HEAP_FAILURE_TYPE = v_enum()
HEAP_FAILURE_TYPE.heap_failure_internal = 0
HEAP_FAILURE_TYPE.heap_failure_unknown = 1
HEAP_FAILURE_TYPE.heap_failure_generic = 2
HEAP_FAILURE_TYPE.heap_failure_entry_corruption = 3
HEAP_FAILURE_TYPE.heap_failure_multiple_entries_corruption = 4
HEAP_FAILURE_TYPE.heap_failure_virtual_block_corruption = 5
HEAP_FAILURE_TYPE.heap_failure_buffer_overrun = 6
HEAP_FAILURE_TYPE.heap_failure_buffer_underrun = 7
HEAP_FAILURE_TYPE.heap_failure_block_not_busy = 8
HEAP_FAILURE_TYPE.heap_failure_invalid_argument = 9
HEAP_FAILURE_TYPE.heap_failure_usage_after_free = 10
HEAP_FAILURE_TYPE.heap_failure_cross_heap_operation = 11
HEAP_FAILURE_TYPE.heap_failure_freelists_corruption = 12
HEAP_FAILURE_TYPE.heap_failure_listentry_corruption = 13
HEAP_FAILURE_TYPE.heap_failure_lfh_bitmap_mismatch = 14
MM_POOL_TYPES = v_enum()
MM_POOL_TYPES.MmNonPagedPool = 0
MM_POOL_TYPES.MmPagedPool = 1
MM_POOL_TYPES.MmSessionPagedPool = 2
MM_POOL_TYPES.MmMaximumPoolType = 3
POP_DEVICE_IDLE_TYPE = v_enum()
POP_DEVICE_IDLE_TYPE.DeviceIdleNormal = 0
POP_DEVICE_IDLE_TYPE.DeviceIdleDisk = 1
PS_WAKE_REASON = v_enum()
PS_WAKE_REASON.PsWakeReasonUser = 0
PS_WAKE_REASON.PsWakeReasonExecutionRequired = 1
PS_WAKE_REASON.PsWakeReasonKernel = 2
PS_WAKE_REASON.PsWakeReasonInstrumentation = 3
PS_WAKE_REASON.PsMaxWakeReasons = 4
WORK_QUEUE_TYPE = v_enum()
WORK_QUEUE_TYPE.CriticalWorkQueue = 0
WORK_QUEUE_TYPE.DelayedWorkQueue = 1
WORK_QUEUE_TYPE.HyperCriticalWorkQueue = 2
WORK_QUEUE_TYPE.NormalWorkQueue = 3
WORK_QUEUE_TYPE.BackgroundWorkQueue = 4
WORK_QUEUE_TYPE.RealTimeWorkQueue = 5
WORK_QUEUE_TYPE.SuperCriticalWorkQueue = 6
WORK_QUEUE_TYPE.MaximumWorkQueue = 7
WORK_QUEUE_TYPE.CustomPriorityWorkQueue = 32
KTRANSACTION_STATE = v_enum()
KTRANSACTION_STATE.KTransactionUninitialized = 0
KTRANSACTION_STATE.KTransactionActive = 1
KTRANSACTION_STATE.KTransactionPreparing = 2
KTRANSACTION_STATE.KTransactionPrepared = 3
KTRANSACTION_STATE.KTransactionInDoubt = 4
KTRANSACTION_STATE.KTransactionCommitted = 5
KTRANSACTION_STATE.KTransactionAborted = 6
KTRANSACTION_STATE.KTransactionDelegated = 7
KTRANSACTION_STATE.KTransactionPrePreparing = 8
KTRANSACTION_STATE.KTransactionForgotten = 9
KTRANSACTION_STATE.KTransactionRecovering = 10
KTRANSACTION_STATE.KTransactionPrePrepared = 11
EXCEPTION_DISPOSITION = v_enum()
EXCEPTION_DISPOSITION.ExceptionContinueExecution = 0
EXCEPTION_DISPOSITION.ExceptionContinueSearch = 1
EXCEPTION_DISPOSITION.ExceptionNestedException = 2
EXCEPTION_DISPOSITION.ExceptionCollidedUnwind = 3
SECURITY_OPERATION_CODE = v_enum()
SECURITY_OPERATION_CODE.SetSecurityDescriptor = 0
SECURITY_OPERATION_CODE.QuerySecurityDescriptor = 1
SECURITY_OPERATION_CODE.DeleteSecurityDescriptor = 2
SECURITY_OPERATION_CODE.AssignSecurityDescriptor = 3
IRPLOCK = v_enum()
IRPLOCK.IRPLOCK_CANCELABLE = 0
IRPLOCK.IRPLOCK_CANCEL_STARTED = 1
IRPLOCK.IRPLOCK_CANCEL_COMPLETE = 2
IRPLOCK.IRPLOCK_COMPLETED = 3
FS_FILTER_STREAM_FO_NOTIFICATION_TYPE = v_enum()
FS_FILTER_STREAM_FO_NOTIFICATION_TYPE.NotifyTypeCreate = 0
FS_FILTER_STREAM_FO_NOTIFICATION_TYPE.NotifyTypeRetired = 1
_unnamed_36553 = v_enum()
_unnamed_36553.KTMOH_CommitTransaction_Result = 1
_unnamed_36553.KTMOH_RollbackTransaction_Result = 2
DEVICE_USAGE_NOTIFICATION_TYPE = v_enum()
DEVICE_USAGE_NOTIFICATION_TYPE.DeviceUsageTypeUndefined = 0
DEVICE_USAGE_NOTIFICATION_TYPE.DeviceUsageTypePaging = 1
DEVICE_USAGE_NOTIFICATION_TYPE.DeviceUsageTypeHibernation = 2
DEVICE_USAGE_NOTIFICATION_TYPE.DeviceUsageTypeDumpFile = 3
DEVICE_USAGE_NOTIFICATION_TYPE.DeviceUsageTypeBoot = 4
DEVICE_USAGE_NOTIFICATION_TYPE.DeviceUsageTypePostDisplay = 5
ETW_HEADER_TYPE = v_enum()
ETW_HEADER_TYPE.EtwHeaderTypeNative = 0
ETW_HEADER_TYPE.EtwHeaderTypeMax = 1
INTERFACE_TYPE = v_enum()
INTERFACE_TYPE.InterfaceTypeUndefined = -1
INTERFACE_TYPE.Internal = 0
INTERFACE_TYPE.Isa = 1
INTERFACE_TYPE.Eisa = 2
INTERFACE_TYPE.MicroChannel = 3
INTERFACE_TYPE.TurboChannel = 4
INTERFACE_TYPE.PCIBus = 5
INTERFACE_TYPE.VMEBus = 6
INTERFACE_TYPE.NuBus = 7
INTERFACE_TYPE.PCMCIABus = 8
INTERFACE_TYPE.CBus = 9
INTERFACE_TYPE.MPIBus = 10
INTERFACE_TYPE.MPSABus = 11
INTERFACE_TYPE.ProcessorInternal = 12
INTERFACE_TYPE.InternalPowerBus = 13
INTERFACE_TYPE.PNPISABus = 14
INTERFACE_TYPE.PNPBus = 15
INTERFACE_TYPE.Vmcs = 16
INTERFACE_TYPE.ACPIBus = 17
INTERFACE_TYPE.MaximumInterfaceType = 18
KWAIT_REASON = v_enum()
KWAIT_REASON.Executive = 0
KWAIT_REASON.FreePage = 1
KWAIT_REASON.PageIn = 2
KWAIT_REASON.PoolAllocation = 3
KWAIT_REASON.DelayExecution = 4
KWAIT_REASON.Suspended = 5
KWAIT_REASON.UserRequest = 6
KWAIT_REASON.WrExecutive = 7
KWAIT_REASON.WrFreePage = 8
KWAIT_REASON.WrPageIn = 9
KWAIT_REASON.WrPoolAllocation = 10
KWAIT_REASON.WrDelayExecution = 11
KWAIT_REASON.WrSuspended = 12
KWAIT_REASON.WrUserRequest = 13
KWAIT_REASON.WrEventPair = 14
KWAIT_REASON.WrQueue = 15
KWAIT_REASON.WrLpcReceive = 16
KWAIT_REASON.WrLpcReply = 17
KWAIT_REASON.WrVirtualMemory = 18
KWAIT_REASON.WrPageOut = 19
KWAIT_REASON.WrRendezvous = 20
KWAIT_REASON.WrKeyedEvent = 21
KWAIT_REASON.WrTerminated = 22
KWAIT_REASON.WrProcessInSwap = 23
KWAIT_REASON.WrCpuRateControl = 24
KWAIT_REASON.WrCalloutStack = 25
KWAIT_REASON.WrKernel = 26
KWAIT_REASON.WrResource = 27
KWAIT_REASON.WrPushLock = 28
KWAIT_REASON.WrMutex = 29
KWAIT_REASON.WrQuantumEnd = 30
KWAIT_REASON.WrDispatchInt = 31
KWAIT_REASON.WrPreempted = 32
KWAIT_REASON.WrYieldExecution = 33
KWAIT_REASON.WrFastMutex = 34
KWAIT_REASON.WrGuardedMutex = 35
KWAIT_REASON.WrRundown = 36
KWAIT_REASON.WrAlertByThreadId = 37
KWAIT_REASON.WrDeferredPreempt = 38
KWAIT_REASON.MaximumWaitReason = 39
PS_RESOURCE_TYPE = v_enum()
PS_RESOURCE_TYPE.PsResourceNonPagedPool = 0
PS_RESOURCE_TYPE.PsResourcePagedPool = 1
PS_RESOURCE_TYPE.PsResourcePageFile = 2
PS_RESOURCE_TYPE.PsResourceWorkingSet = 3
PS_RESOURCE_TYPE.PsResourceCpuRate = 4
PS_RESOURCE_TYPE.PsResourceMax = 5
MM_PAGE_ACCESS_TYPE = v_enum()
MM_PAGE_ACCESS_TYPE.MmPteAccessType = 0
MM_PAGE_ACCESS_TYPE.MmCcReadAheadType = 1
MM_PAGE_ACCESS_TYPE.MmPfnRepurposeType = 2
MM_PAGE_ACCESS_TYPE.MmMaximumPageAccessType = 3
ReplacesCorHdrNumericDefines = v_enum()
ReplacesCorHdrNumericDefines.COMIMAGE_FLAGS_ILONLY = 1
ReplacesCorHdrNumericDefines.COMIMAGE_FLAGS_32BITREQUIRED = 2
ReplacesCorHdrNumericDefines.COMIMAGE_FLAGS_IL_LIBRARY = 4
ReplacesCorHdrNumericDefines.COMIMAGE_FLAGS_STRONGNAMESIGNED = 8
ReplacesCorHdrNumericDefines.COMIMAGE_FLAGS_NATIVE_ENTRYPOINT = 16
ReplacesCorHdrNumericDefines.COMIMAGE_FLAGS_TRACKDEBUGDATA = 65536
ReplacesCorHdrNumericDefines.COR_VERSION_MAJOR_V2 = 2
ReplacesCorHdrNumericDefines.COR_VERSION_MAJOR = 2
ReplacesCorHdrNumericDefines.COR_VERSION_MINOR = 5
ReplacesCorHdrNumericDefines.COR_DELETED_NAME_LENGTH = 8
ReplacesCorHdrNumericDefines.COR_VTABLEGAP_NAME_LENGTH = 8
ReplacesCorHdrNumericDefines.NATIVE_TYPE_MAX_CB = 1
ReplacesCorHdrNumericDefines.COR_ILMETHOD_SECT_SMALL_MAX_DATASIZE = 255
ReplacesCorHdrNumericDefines.IMAGE_COR_MIH_METHODRVA = 1
ReplacesCorHdrNumericDefines.IMAGE_COR_MIH_EHRVA = 2
ReplacesCorHdrNumericDefines.IMAGE_COR_MIH_BASICBLOCK = 8
ReplacesCorHdrNumericDefines.COR_VTABLE_32BIT = 1
ReplacesCorHdrNumericDefines.COR_VTABLE_64BIT = 2
ReplacesCorHdrNumericDefines.COR_VTABLE_FROM_UNMANAGED = 4
ReplacesCorHdrNumericDefines.COR_VTABLE_FROM_UNMANAGED_RETAIN_APPDOMAIN = 8
ReplacesCorHdrNumericDefines.COR_VTABLE_CALL_MOST_DERIVED = 16
ReplacesCorHdrNumericDefines.IMAGE_COR_EATJ_THUNK_SIZE = 32
ReplacesCorHdrNumericDefines.MAX_CLASS_NAME = 1024
ReplacesCorHdrNumericDefines.MAX_PACKAGE_NAME = 1024
HSTORAGE_TYPE = v_enum()
HSTORAGE_TYPE.Stable = 0
HSTORAGE_TYPE.Volatile = 1
HSTORAGE_TYPE.InvalidStorage = 2
MI_PFN_CACHE_ATTRIBUTE = v_enum()
MI_PFN_CACHE_ATTRIBUTE.MiNonCached = 0
MI_PFN_CACHE_ATTRIBUTE.MiCached = 1
MI_PFN_CACHE_ATTRIBUTE.MiWriteCombined = 2
MI_PFN_CACHE_ATTRIBUTE.MiNotMapped = 3
CREATE_FILE_TYPE = v_enum()
CREATE_FILE_TYPE.CreateFileTypeNone = 0
CREATE_FILE_TYPE.CreateFileTypeNamedPipe = 1
CREATE_FILE_TYPE.CreateFileTypeMailslot = 2
POLICY_AUDIT_EVENT_TYPE = v_enum()
POLICY_AUDIT_EVENT_TYPE.AuditCategorySystem = 0
POLICY_AUDIT_EVENT_TYPE.AuditCategoryLogon = 1
POLICY_AUDIT_EVENT_TYPE.AuditCategoryObjectAccess = 2
POLICY_AUDIT_EVENT_TYPE.AuditCategoryPrivilegeUse = 3
POLICY_AUDIT_EVENT_TYPE.AuditCategoryDetailedTracking = 4
POLICY_AUDIT_EVENT_TYPE.AuditCategoryPolicyChange = 5
POLICY_AUDIT_EVENT_TYPE.AuditCategoryAccountManagement = 6
POLICY_AUDIT_EVENT_TYPE.AuditCategoryDirectoryServiceAccess = 7
POLICY_AUDIT_EVENT_TYPE.AuditCategoryAccountLogon = 8
ETW_RT_EVENT_LOSS = v_enum()
ETW_RT_EVENT_LOSS.EtwRtEventNoLoss = 0
ETW_RT_EVENT_LOSS.EtwRtEventLost = 1
ETW_RT_EVENT_LOSS.EtwRtBufferLost = 2
ETW_RT_EVENT_LOSS.EtwRtBackupLost = 3
ETW_RT_EVENT_LOSS.EtwRtEventLossMax = 4
DEVICE_WAKE_DEPTH = v_enum()
DEVICE_WAKE_DEPTH.DeviceWakeDepthNotWakeable = 0
DEVICE_WAKE_DEPTH.DeviceWakeDepthD0 = 1
DEVICE_WAKE_DEPTH.DeviceWakeDepthD1 = 2
DEVICE_WAKE_DEPTH.DeviceWakeDepthD2 = 3
DEVICE_WAKE_DEPTH.DeviceWakeDepthD3hot = 4
DEVICE_WAKE_DEPTH.DeviceWakeDepthD3cold = 5
DEVICE_WAKE_DEPTH.DeviceWakeDepthMaximum = 6
POP_IO_STATUS = v_enum()
POP_IO_STATUS.IoReady = 0
POP_IO_STATUS.IoPending = 1
POP_IO_STATUS.IoDone = 2
WOW64_SHARED_INFORMATION = v_enum()
WOW64_SHARED_INFORMATION.SharedNtdll32LdrInitializeThunk = 0
WOW64_SHARED_INFORMATION.SharedNtdll32KiUserExceptionDispatcher = 1
WOW64_SHARED_INFORMATION.SharedNtdll32KiUserApcDispatcher = 2
WOW64_SHARED_INFORMATION.SharedNtdll32KiUserCallbackDispatcher = 3
WOW64_SHARED_INFORMATION.SharedNtdll32LdrHotPatchRoutine = 4
WOW64_SHARED_INFORMATION.SharedNtdll32ExpInterlockedPopEntrySListFault = 5
WOW64_SHARED_INFORMATION.SharedNtdll32ExpInterlockedPopEntrySListResume = 6
WOW64_SHARED_INFORMATION.SharedNtdll32ExpInterlockedPopEntrySListEnd = 7
WOW64_SHARED_INFORMATION.SharedNtdll32RtlUserThreadStart = 8
WOW64_SHARED_INFORMATION.SharedNtdll32pQueryProcessDebugInformationRemote = 9
WOW64_SHARED_INFORMATION.SharedNtdll32EtwpNotificationThread = 10
WOW64_SHARED_INFORMATION.SharedNtdll32BaseAddress = 11
WOW64_SHARED_INFORMATION.SharedNtdll32RtlpWnfNotificationThread = 12
WOW64_SHARED_INFORMATION.SharedNtdll32LdrSystemDllInitBlock = 13
WOW64_SHARED_INFORMATION.Wow64SharedPageEntriesCount = 14
PNP_DEVICE_ACTION_REQUEST = v_enum()
PNP_DEVICE_ACTION_REQUEST.AssignResources = 0
PNP_DEVICE_ACTION_REQUEST.ClearDeviceProblem = 1
PNP_DEVICE_ACTION_REQUEST.ClearProblem = 2
PNP_DEVICE_ACTION_REQUEST.ClearEjectProblem = 3
PNP_DEVICE_ACTION_REQUEST.HaltDevice = 4
PNP_DEVICE_ACTION_REQUEST.QueryPowerRelations = 5
PNP_DEVICE_ACTION_REQUEST.Rebalance = 6
PNP_DEVICE_ACTION_REQUEST.ReenumerateBootDevices = 7
PNP_DEVICE_ACTION_REQUEST.ReenumerateDeviceOnly = 8
PNP_DEVICE_ACTION_REQUEST.ReenumerateDeviceTree = 9
PNP_DEVICE_ACTION_REQUEST.ReenumerateRootDevices = 10
PNP_DEVICE_ACTION_REQUEST.RequeryDeviceState = 11
PNP_DEVICE_ACTION_REQUEST.ResetDevice = 12
PNP_DEVICE_ACTION_REQUEST.ResourceRequirementsChanged = 13
PNP_DEVICE_ACTION_REQUEST.RestartEnumeration = 14
PNP_DEVICE_ACTION_REQUEST.SetDeviceProblem = 15
PNP_DEVICE_ACTION_REQUEST.StartDevice = 16
PNP_DEVICE_ACTION_REQUEST.StartSystemDevicesPass0 = 17
PNP_DEVICE_ACTION_REQUEST.StartSystemDevicesPass1 = 18
PNP_DEVICE_ACTION_REQUEST.NotifyTransportRelationsChange = 19
PNP_DEVICE_ACTION_REQUEST.NotifyEjectionRelationsChange = 20
PNP_DEVICE_ACTION_REQUEST.ConfigureDevice = 21
PNP_DEVICE_ACTION_REQUEST.ConfigureDeviceClass = 22
DEVICE_RELATION_TYPE = v_enum()
DEVICE_RELATION_TYPE.BusRelations = 0
DEVICE_RELATION_TYPE.EjectionRelations = 1
DEVICE_RELATION_TYPE.PowerRelations = 2
DEVICE_RELATION_TYPE.RemovalRelations = 3
DEVICE_RELATION_TYPE.TargetDeviceRelation = 4
DEVICE_RELATION_TYPE.SingleBusRelations = 5
DEVICE_RELATION_TYPE.TransportRelations = 6
FILE_INFORMATION_CLASS = v_enum()
FILE_INFORMATION_CLASS.FileDirectoryInformation = 1
FILE_INFORMATION_CLASS.FileFullDirectoryInformation = 2
FILE_INFORMATION_CLASS.FileBothDirectoryInformation = 3
FILE_INFORMATION_CLASS.FileBasicInformation = 4
FILE_INFORMATION_CLASS.FileStandardInformation = 5
FILE_INFORMATION_CLASS.FileInternalInformation = 6
FILE_INFORMATION_CLASS.FileEaInformation = 7
FILE_INFORMATION_CLASS.FileAccessInformation = 8
FILE_INFORMATION_CLASS.FileNameInformation = 9
FILE_INFORMATION_CLASS.FileRenameInformation = 10
FILE_INFORMATION_CLASS.FileLinkInformation = 11
FILE_INFORMATION_CLASS.FileNamesInformation = 12
FILE_INFORMATION_CLASS.FileDispositionInformation = 13
FILE_INFORMATION_CLASS.FilePositionInformation = 14
FILE_INFORMATION_CLASS.FileFullEaInformation = 15
FILE_INFORMATION_CLASS.FileModeInformation = 16
FILE_INFORMATION_CLASS.FileAlignmentInformation = 17
FILE_INFORMATION_CLASS.FileAllInformation = 18
FILE_INFORMATION_CLASS.FileAllocationInformation = 19
FILE_INFORMATION_CLASS.FileEndOfFileInformation = 20
FILE_INFORMATION_CLASS.FileAlternateNameInformation = 21
FILE_INFORMATION_CLASS.FileStreamInformation = 22
FILE_INFORMATION_CLASS.FilePipeInformation = 23
FILE_INFORMATION_CLASS.FilePipeLocalInformation = 24
FILE_INFORMATION_CLASS.FilePipeRemoteInformation = 25
FILE_INFORMATION_CLASS.FileMailslotQueryInformation = 26
FILE_INFORMATION_CLASS.FileMailslotSetInformation = 27
FILE_INFORMATION_CLASS.FileCompressionInformation = 28
FILE_INFORMATION_CLASS.FileObjectIdInformation = 29
FILE_INFORMATION_CLASS.FileCompletionInformation = 30
FILE_INFORMATION_CLASS.FileMoveClusterInformation = 31
FILE_INFORMATION_CLASS.FileQuotaInformation = 32
FILE_INFORMATION_CLASS.FileReparsePointInformation = 33
FILE_INFORMATION_CLASS.FileNetworkOpenInformation = 34
FILE_INFORMATION_CLASS.FileAttributeTagInformation = 35
FILE_INFORMATION_CLASS.FileTrackingInformation = 36
FILE_INFORMATION_CLASS.FileIdBothDirectoryInformation = 37
FILE_INFORMATION_CLASS.FileIdFullDirectoryInformation = 38
FILE_INFORMATION_CLASS.FileValidDataLengthInformation = 39
FILE_INFORMATION_CLASS.FileShortNameInformation = 40
FILE_INFORMATION_CLASS.FileIoCompletionNotificationInformation = 41
FILE_INFORMATION_CLASS.FileIoStatusBlockRangeInformation = 42
FILE_INFORMATION_CLASS.FileIoPriorityHintInformation = 43
FILE_INFORMATION_CLASS.FileSfioReserveInformation = 44
FILE_INFORMATION_CLASS.FileSfioVolumeInformation = 45
FILE_INFORMATION_CLASS.FileHardLinkInformation = 46
FILE_INFORMATION_CLASS.FileProcessIdsUsingFileInformation = 47
FILE_INFORMATION_CLASS.FileNormalizedNameInformation = 48
FILE_INFORMATION_CLASS.FileNetworkPhysicalNameInformation = 49
FILE_INFORMATION_CLASS.FileIdGlobalTxDirectoryInformation = 50
FILE_INFORMATION_CLASS.FileIsRemoteDeviceInformation = 51
FILE_INFORMATION_CLASS.FileAttributeCacheInformation = 52
FILE_INFORMATION_CLASS.FileNumaNodeInformation = 53
FILE_INFORMATION_CLASS.FileStandardLinkInformation = 54
FILE_INFORMATION_CLASS.FileRemoteProtocolInformation = 55
FILE_INFORMATION_CLASS.FileRenameInformationBypassAccessCheck = 56
FILE_INFORMATION_CLASS.FileLinkInformationBypassAccessCheck = 57
FILE_INFORMATION_CLASS.FileVolumeNameInformation = 58
FILE_INFORMATION_CLASS.FileIdInformation = 59
FILE_INFORMATION_CLASS.FileIdExtdDirectoryInformation = 60
FILE_INFORMATION_CLASS.FileMaximumInformation = 61
DEVICE_POWER_STATE = v_enum()
DEVICE_POWER_STATE.PowerDeviceUnspecified = 0
DEVICE_POWER_STATE.PowerDeviceD0 = 1
DEVICE_POWER_STATE.PowerDeviceD1 = 2
DEVICE_POWER_STATE.PowerDeviceD2 = 3
DEVICE_POWER_STATE.PowerDeviceD3 = 4
DEVICE_POWER_STATE.PowerDeviceMaximum = 5
MEMORY_CACHING_TYPE = v_enum()
MEMORY_CACHING_TYPE.MmNonCached = 0
MEMORY_CACHING_TYPE.MmCached = 1
MEMORY_CACHING_TYPE.MmWriteCombined = 2
MEMORY_CACHING_TYPE.MmHardwareCoherentCached = 3
MEMORY_CACHING_TYPE.MmNonCachedUnordered = 4
MEMORY_CACHING_TYPE.MmUSWCCached = 5
MEMORY_CACHING_TYPE.MmMaximumCacheType = 6
NT_PRODUCT_TYPE = v_enum()
NT_PRODUCT_TYPE.NtProductWinNt = 1
NT_PRODUCT_TYPE.NtProductLanManNt = 2
NT_PRODUCT_TYPE.NtProductServer = 3
IOP_PRIORITY_HINT = v_enum()
IOP_PRIORITY_HINT.IopIoPriorityNotSet = 0
IOP_PRIORITY_HINT.IopIoPriorityVeryLow = 1
IOP_PRIORITY_HINT.IopIoPriorityLow = 2
IOP_PRIORITY_HINT.IopIoPriorityNormal = 3
IOP_PRIORITY_HINT.IopIoPriorityHigh = 4
IOP_PRIORITY_HINT.IopIoPriorityCritical = 5
IOP_PRIORITY_HINT.MaxIopIoPriorityTypes = 6
WHEA_ERROR_SOURCE_TYPE = v_enum()
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeMCE = 0
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeCMC = 1
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeCPE = 2
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeNMI = 3
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypePCIe = 4
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeGeneric = 5
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeINIT = 6
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeBOOT = 7
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeSCIGeneric = 8
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeIPFMCA = 9
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeIPFCMC = 10
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeIPFCPE = 11
WHEA_ERROR_SOURCE_TYPE.WheaErrSrcTypeMax = 12
RTL_GENERIC_COMPARE_RESULTS = v_enum()
RTL_GENERIC_COMPARE_RESULTS.GenericLessThan = 0
RTL_GENERIC_COMPARE_RESULTS.GenericGreaterThan = 1
RTL_GENERIC_COMPARE_RESULTS.GenericEqual = 2
TP_CALLBACK_PRIORITY = v_enum()
TP_CALLBACK_PRIORITY.TP_CALLBACK_PRIORITY_HIGH = 0
TP_CALLBACK_PRIORITY.TP_CALLBACK_PRIORITY_NORMAL = 1
TP_CALLBACK_PRIORITY.TP_CALLBACK_PRIORITY_LOW = 2
TP_CALLBACK_PRIORITY.TP_CALLBACK_PRIORITY_INVALID = 3
TP_CALLBACK_PRIORITY.TP_CALLBACK_PRIORITY_COUNT = 3
FSINFOCLASS = v_enum()
FSINFOCLASS.FileFsVolumeInformation = 1
FSINFOCLASS.FileFsLabelInformation = 2
FSINFOCLASS.FileFsSizeInformation = 3
FSINFOCLASS.FileFsDeviceInformation = 4
FSINFOCLASS.FileFsAttributeInformation = 5
FSINFOCLASS.FileFsControlInformation = 6
FSINFOCLASS.FileFsFullSizeInformation = 7
FSINFOCLASS.FileFsObjectIdInformation = 8
FSINFOCLASS.FileFsDriverPathInformation = 9
FSINFOCLASS.FileFsVolumeFlagsInformation = 10
FSINFOCLASS.FileFsSectorSizeInformation = 11
FSINFOCLASS.FileFsDataCopyInformation = 12
FSINFOCLASS.FileFsMaximumInformation = 13
WORKING_SET_TYPE = v_enum()
WORKING_SET_TYPE.WorkingSetTypeUser = 0
WORKING_SET_TYPE.WorkingSetTypeSession = 1
WORKING_SET_TYPE.WorkingSetTypeSystemTypes = 2
WORKING_SET_TYPE.WorkingSetTypeSystemCache = 2
WORKING_SET_TYPE.WorkingSetTypePagedPool = 3
WORKING_SET_TYPE.WorkingSetTypeSystemPtes = 4
WORKING_SET_TYPE.WorkingSetTypeMaximum = 5
POOL_TYPE = v_enum()
POOL_TYPE.NonPagedPool = 0
POOL_TYPE.NonPagedPoolExecute = 0
POOL_TYPE.PagedPool = 1
POOL_TYPE.NonPagedPoolMustSucceed = 2
POOL_TYPE.DontUseThisType = 3
POOL_TYPE.NonPagedPoolCacheAligned = 4
POOL_TYPE.PagedPoolCacheAligned = 5
POOL_TYPE.NonPagedPoolCacheAlignedMustS = 6
POOL_TYPE.MaxPoolType = 7
POOL_TYPE.NonPagedPoolBase = 0
POOL_TYPE.NonPagedPoolBaseMustSucceed = 2
POOL_TYPE.NonPagedPoolBaseCacheAligned = 4
POOL_TYPE.NonPagedPoolBaseCacheAlignedMustS = 6
POOL_TYPE.NonPagedPoolSession = 32
POOL_TYPE.PagedPoolSession = 33
POOL_TYPE.NonPagedPoolMustSucceedSession = 34
POOL_TYPE.DontUseThisTypeSession = 35
POOL_TYPE.NonPagedPoolCacheAlignedSession = 36
POOL_TYPE.PagedPoolCacheAlignedSession = 37
POOL_TYPE.NonPagedPoolCacheAlignedMustSSession = 38
POOL_TYPE.NonPagedPoolNx = 512
POOL_TYPE.NonPagedPoolNxCacheAligned = 516
POOL_TYPE.NonPagedPoolSessionNx = 544
MODE = v_enum()
MODE.KernelMode = 0
MODE.UserMode = 1
MODE.MaximumMode = 2
FS_FILTER_SECTION_SYNC_TYPE = v_enum()
FS_FILTER_SECTION_SYNC_TYPE.SyncTypeOther = 0
FS_FILTER_SECTION_SYNC_TYPE.SyncTypeCreateSection = 1
PERFINFO_KERNELMEMORY_USAGE_TYPE = v_enum()
PERFINFO_KERNELMEMORY_USAGE_TYPE.PerfInfoMemUsagePfnMetadata = 0
PERFINFO_KERNELMEMORY_USAGE_TYPE.PerfInfoMemUsageMax = 1
FILE_OBJECT_EXTENSION_TYPE = v_enum()
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeTransactionParams = 0
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeInternal = 1
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeIosbRange = 2
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeGeneric = 3
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeSfio = 4
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeSymlink = 5
FILE_OBJECT_EXTENSION_TYPE.FoExtTypeOplockKey = 6
FILE_OBJECT_EXTENSION_TYPE.MaxFoExtTypes = 7
IRQ_PRIORITY = v_enum()
IRQ_PRIORITY.IrqPriorityUndefined = 0
IRQ_PRIORITY.IrqPriorityLow = 1
IRQ_PRIORITY.IrqPriorityNormal = 2
IRQ_PRIORITY.IrqPriorityHigh = 3
KPROFILE_SOURCE = v_enum()
KPROFILE_SOURCE.ProfileTime = 0
KPROFILE_SOURCE.ProfileAlignmentFixup = 1
KPROFILE_SOURCE.ProfileTotalIssues = 2
KPROFILE_SOURCE.ProfilePipelineDry = 3
KPROFILE_SOURCE.ProfileLoadInstructions = 4
KPROFILE_SOURCE.ProfilePipelineFrozen = 5
KPROFILE_SOURCE.ProfileBranchInstructions = 6
KPROFILE_SOURCE.ProfileTotalNonissues = 7
KPROFILE_SOURCE.ProfileDcacheMisses = 8
KPROFILE_SOURCE.ProfileIcacheMisses = 9
KPROFILE_SOURCE.ProfileCacheMisses = 10
KPROFILE_SOURCE.ProfileBranchMispredictions = 11
KPROFILE_SOURCE.ProfileStoreInstructions = 12
KPROFILE_SOURCE.ProfileFpInstructions = 13
KPROFILE_SOURCE.ProfileIntegerInstructions = 14
KPROFILE_SOURCE.Profile2Issue = 15
KPROFILE_SOURCE.Profile3Issue = 16
KPROFILE_SOURCE.Profile4Issue = 17
KPROFILE_SOURCE.ProfileSpecialInstructions = 18
KPROFILE_SOURCE.ProfileTotalCycles = 19
KPROFILE_SOURCE.ProfileIcacheIssues = 20
KPROFILE_SOURCE.ProfileDcacheAccesses = 21
KPROFILE_SOURCE.ProfileMemoryBarrierCycles = 22
KPROFILE_SOURCE.ProfileLoadLinkedIssues = 23
KPROFILE_SOURCE.ProfileMaximum = 24
MI_SYSTEM_VA_TYPE = v_enum()
MI_SYSTEM_VA_TYPE.MiVaUnused = 0
MI_SYSTEM_VA_TYPE.MiVaSessionSpace = 1
MI_SYSTEM_VA_TYPE.MiVaProcessSpace = 2
MI_SYSTEM_VA_TYPE.MiVaBootLoaded = 3
MI_SYSTEM_VA_TYPE.MiVaPfnDatabase = 4
MI_SYSTEM_VA_TYPE.MiVaNonPagedPool = 5
MI_SYSTEM_VA_TYPE.MiVaPagedPool = 6
MI_SYSTEM_VA_TYPE.MiVaSpecialPoolPaged = 7
MI_SYSTEM_VA_TYPE.MiVaSystemCache = 8
MI_SYSTEM_VA_TYPE.MiVaSystemPtes = 9
MI_SYSTEM_VA_TYPE.MiVaHal = 10
MI_SYSTEM_VA_TYPE.MiVaSessionGlobalSpace = 11
MI_SYSTEM_VA_TYPE.MiVaDriverImages = 12
MI_SYSTEM_VA_TYPE.MiVaSpecialPoolNonPaged = 13
MI_SYSTEM_VA_TYPE.MiVaPagedProtoPool = 14
MI_SYSTEM_VA_TYPE.MiVaMaximumType = 15
PROCESS_SECTION_TYPE = v_enum()
PROCESS_SECTION_TYPE.ProcessSectionData = 0
PROCESS_SECTION_TYPE.ProcessSectionImage = 1
PROCESS_SECTION_TYPE.ProcessSectionImageNx = 2
PROCESS_SECTION_TYPE.ProcessSectionPagefileBacked = 3
PROCESS_SECTION_TYPE.ProcessSectionMax = 4
LSA_FOREST_TRUST_RECORD_TYPE = v_enum()
LSA_FOREST_TRUST_RECORD_TYPE.ForestTrustTopLevelName = 0
LSA_FOREST_TRUST_RECORD_TYPE.ForestTrustTopLevelNameEx = 1
LSA_FOREST_TRUST_RECORD_TYPE.ForestTrustDomainInfo = 2
LSA_FOREST_TRUST_RECORD_TYPE.ForestTrustRecordTypeLast = 2
LDR_DDAG_STATE = v_enum()
LDR_DDAG_STATE.LdrModulesMerged = -5
LDR_DDAG_STATE.LdrModulesInitError = -4
LDR_DDAG_STATE.LdrModulesSnapError = -3
LDR_DDAG_STATE.LdrModulesUnloaded = -2
LDR_DDAG_STATE.LdrModulesUnloading = -1
LDR_DDAG_STATE.LdrModulesPlaceHolder = 0
LDR_DDAG_STATE.LdrModulesMapping = 1
LDR_DDAG_STATE.LdrModulesMapped = 2
LDR_DDAG_STATE.LdrModulesWaitingForDependencies = 3
LDR_DDAG_STATE.LdrModulesSnapping = 4
LDR_DDAG_STATE.LdrModulesSnapped = 5
LDR_DDAG_STATE.LdrModulesCondensed = 6
LDR_DDAG_STATE.LdrModulesReadyToInit = 7
LDR_DDAG_STATE.LdrModulesInitializing = 8
LDR_DDAG_STATE.LdrModulesReadyToRun = 9
MI_MEMORY_HIGHLOW = v_enum()
MI_MEMORY_HIGHLOW.MiMemoryHigh = 0
MI_MEMORY_HIGHLOW.MiMemoryLow = 1
MI_MEMORY_HIGHLOW.MiMemoryHighLow = 2
DEVICE_TEXT_TYPE = v_enum()
DEVICE_TEXT_TYPE.DeviceTextDescription = 0
DEVICE_TEXT_TYPE.DeviceTextLocationInformation = 1
MMLISTS = v_enum()
MMLISTS.ZeroedPageList = 0
MMLISTS.FreePageList = 1
MMLISTS.StandbyPageList = 2
MMLISTS.ModifiedPageList = 3
MMLISTS.ModifiedNoWritePageList = 4
MMLISTS.BadPageList = 5
MMLISTS.ActiveAndValid = 6
MMLISTS.TransitionPage = 7
KINTERRUPT_MODE = v_enum()
KINTERRUPT_MODE.LevelSensitive = 0
KINTERRUPT_MODE.Latched = 1
TOKEN_TYPE = v_enum()
TOKEN_TYPE.TokenPrimary = 1
TOKEN_TYPE.TokenImpersonation = 2
HARDWARE_COUNTER_TYPE = v_enum()
HARDWARE_COUNTER_TYPE.PMCCounter = 0
HARDWARE_COUNTER_TYPE.MaxHardwareCounterType = 1
TRANSFER_TYPE = v_enum()
TRANSFER_TYPE.ReadTransfer = 0
TRANSFER_TYPE.WriteTransfer = 1
TRANSFER_TYPE.OtherTransfer = 2
PNP_DEVNODE_STATE = v_enum()
PNP_DEVNODE_STATE.DeviceNodeUnspecified = 768
PNP_DEVNODE_STATE.DeviceNodeUninitialized = 769
PNP_DEVNODE_STATE.DeviceNodeInitialized = 770
PNP_DEVNODE_STATE.DeviceNodeDriversAdded = 771
PNP_DEVNODE_STATE.DeviceNodeResourcesAssigned = 772
PNP_DEVNODE_STATE.DeviceNodeStartPending = 773
PNP_DEVNODE_STATE.DeviceNodeStartCompletion = 774
PNP_DEVNODE_STATE.DeviceNodeStartPostWork = 775
PNP_DEVNODE_STATE.DeviceNodeStarted = 776
PNP_DEVNODE_STATE.DeviceNodeQueryStopped = 777
PNP_DEVNODE_STATE.DeviceNodeStopped = 778
PNP_DEVNODE_STATE.DeviceNodeRestartCompletion = 779
PNP_DEVNODE_STATE.DeviceNodeEnumeratePending = 780
PNP_DEVNODE_STATE.DeviceNodeEnumerateCompletion = 781
PNP_DEVNODE_STATE.DeviceNodeAwaitingQueuedDeletion = 782
PNP_DEVNODE_STATE.DeviceNodeAwaitingQueuedRemoval = 783
PNP_DEVNODE_STATE.DeviceNodeQueryRemoved = 784
PNP_DEVNODE_STATE.DeviceNodeRemovePendingCloses = 785
PNP_DEVNODE_STATE.DeviceNodeRemoved = 786
PNP_DEVNODE_STATE.DeviceNodeDeletePendingCloses = 787
PNP_DEVNODE_STATE.DeviceNodeDeleted = 788
PNP_DEVNODE_STATE.MaxDeviceNodeState = 789
class KEXECUTE_OPTIONS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExecuteDisable = v_uint8()
class IO_PRIORITY_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint32()
self.ThreadPriority = v_uint32()
self.PagePriority = v_uint32()
self.IoPriority = v_uint32()
class IOV_FORCED_PENDING_TRACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Irp = v_ptr32()
self.Thread = v_ptr32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(62) ])
class SEGMENT_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BaseAddress = v_ptr32()
self.TotalNumberOfPtes = v_uint32()
self.SizeOfSegment = LARGE_INTEGER()
self.NonExtendedPtes = v_uint32()
self.ImageCommitment = v_uint32()
self.ControlArea = v_ptr32()
self.Subsection = v_ptr32()
self.MmSectionFlags = v_ptr32()
self.MmSubSectionFlags = v_ptr32()
class DUAL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.Map = v_ptr32()
self.SmallDir = v_ptr32()
self.Guard = v_uint32()
self.FreeDisplay = vstruct.VArray([ FREE_DISPLAY() for i in xrange(24) ])
self.FreeBins = LIST_ENTRY()
self.FreeSummary = v_uint32()
class SID(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revision = v_uint8()
self.SubAuthorityCount = v_uint8()
self.IdentifierAuthority = SID_IDENTIFIER_AUTHORITY()
self.SubAuthority = vstruct.VArray([ v_uint32() for i in xrange(1) ])
class MMPTE_HARDWARE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class POP_CPU_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Eax = v_uint32()
self.Ebx = v_uint32()
self.Ecx = v_uint32()
self.Edx = v_uint32()
class _unnamed_29146(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Failure = v_uint32()
self.Status = v_uint32()
self.Point = v_uint32()
class _unnamed_29147(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Action = v_uint32()
self.Handle = v_ptr32()
self.Status = v_uint32()
class WHEA_ERROR_PACKET_V2(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Version = v_uint32()
self.Length = v_uint32()
self.Flags = WHEA_ERROR_PACKET_FLAGS()
self.ErrorType = v_uint32()
self.ErrorSeverity = v_uint32()
self.ErrorSourceId = v_uint32()
self.ErrorSourceType = v_uint32()
self.NotifyType = GUID()
self.Context = v_uint64()
self.DataFormat = v_uint32()
self.Reserved1 = v_uint32()
self.DataOffset = v_uint32()
self.DataLength = v_uint32()
self.PshedDataOffset = v_uint32()
self.PshedDataLength = v_uint32()
class CC_EXTERNAL_CACHE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Callback = v_ptr32()
self.DirtyPageStatistics = DIRTY_PAGE_STATISTICS()
self.Links = LIST_ENTRY()
class GROUP_AFFINITY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Mask = v_uint32()
self.Group = v_uint16()
self.Reserved = vstruct.VArray([ v_uint16() for i in xrange(3) ])
class VI_VERIFIER_ISSUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IssueType = v_uint32()
self.Address = v_ptr32()
self.Parameters = vstruct.VArray([ v_uint32() for i in xrange(2) ])
class POP_IRP_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.Irp = v_ptr32()
self.Pdo = v_ptr32()
self.TargetDevice = v_ptr32()
self.CurrentDevice = v_ptr32()
self.WatchdogStart = v_uint64()
self.WatchdogTimer = KTIMER()
self.WatchdogDpc = KDPC()
self.MinorFunction = v_uint8()
self._pad006c = v_bytes(size=3)
self.PowerStateType = v_uint32()
self.PowerState = POWER_STATE()
self.WatchdogEnabled = v_uint8()
self._pad0078 = v_bytes(size=3)
self.FxDevice = v_ptr32()
self.SystemTransition = v_uint8()
self.NotifyPEP = v_uint8()
self._pad0080 = v_bytes(size=2)
self.Device = _unnamed_34060()
class HEAP_STOP_ON_VALUES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllocAddress = v_uint32()
self.AllocTag = HEAP_STOP_ON_TAG()
self.ReAllocAddress = v_uint32()
self.ReAllocTag = HEAP_STOP_ON_TAG()
self.FreeAddress = v_uint32()
self.FreeTag = HEAP_STOP_ON_TAG()
class _unnamed_29148(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CheckStack = v_ptr32()
class _unnamed_29149(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Cell = v_uint32()
self.CellPoint = v_ptr32()
self.RootPoint = v_ptr32()
self.Index = v_uint32()
class KTSS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Backlink = v_uint16()
self.Reserved0 = v_uint16()
self.Esp0 = v_uint32()
self.Ss0 = v_uint16()
self.Reserved1 = v_uint16()
self.NotUsed1 = vstruct.VArray([ v_uint32() for i in xrange(4) ])
self.CR3 = v_uint32()
self.Eip = v_uint32()
self.EFlags = v_uint32()
self.Eax = v_uint32()
self.Ecx = v_uint32()
self.Edx = v_uint32()
self.Ebx = v_uint32()
self.Esp = v_uint32()
self.Ebp = v_uint32()
self.Esi = v_uint32()
self.Edi = v_uint32()
self.Es = v_uint16()
self.Reserved2 = v_uint16()
self.Cs = v_uint16()
self.Reserved3 = v_uint16()
self.Ss = v_uint16()
self.Reserved4 = v_uint16()
self.Ds = v_uint16()
self.Reserved5 = v_uint16()
self.Fs = v_uint16()
self.Reserved6 = v_uint16()
self.Gs = v_uint16()
self.Reserved7 = v_uint16()
self.LDT = v_uint16()
self.Reserved8 = v_uint16()
self.Flags = v_uint16()
self.IoMapBase = v_uint16()
self.IoMaps = vstruct.VArray([ KiIoAccessMap() for i in xrange(1) ])
self.IntDirectionMap = vstruct.VArray([ v_uint8() for i in xrange(32) ])
class CURDIR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DosPath = UNICODE_STRING()
self.Handle = v_ptr32()
class DBGKD_GET_INTERNAL_BREAKPOINT32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakpointAddress = v_uint32()
self.Flags = v_uint32()
self.Calls = v_uint32()
self.MaxCallsPerPeriod = v_uint32()
self.MinInstructions = v_uint32()
self.MaxInstructions = v_uint32()
self.TotalInstructions = v_uint32()
class PO_IRP_MANAGER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceIrpQueue = PO_IRP_QUEUE()
self.SystemIrpQueue = PO_IRP_QUEUE()
class DBGKD_MANIPULATE_STATE32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ApiNumber = v_uint32()
self.ProcessorLevel = v_uint16()
self.Processor = v_uint16()
self.ReturnStatus = v_uint32()
self.u = _unnamed_30210()
class ETW_BUFFER_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.QueueHead = v_ptr32()
self.QueueTail = v_ptr32()
self.QueueEntry = SINGLE_LIST_ENTRY()
class SEP_TOKEN_PRIVILEGES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Present = v_uint64()
self.Enabled = v_uint64()
self.EnabledByDefault = v_uint64()
class KALPC_SECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SectionObject = v_ptr32()
self.Size = v_uint32()
self.HandleTable = v_ptr32()
self.SectionHandle = v_ptr32()
self.OwnerProcess = v_ptr32()
self.OwnerPort = v_ptr32()
self.u1 = _unnamed_30828()
self.NumberOfRegions = v_uint32()
self.RegionListHead = LIST_ENTRY()
class _unnamed_30905(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Secure = v_uint32()
class _unnamed_30902(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_30905()
class PERFINFO_GROUPMASK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Masks = vstruct.VArray([ v_uint32() for i in xrange(8) ])
class HARDWARE_PTE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class ETW_PERF_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TotalActiveSessions = v_uint32()
self.TotalBufferMemoryNonPagedPool = v_uint32()
self.TotalBufferMemoryPagedPool = v_uint32()
self.TotalGuidsEnabled = v_uint32()
self.TotalGuidsNotEnabled = v_uint32()
self.TotalGuidsPreEnabled = v_uint32()
class HANDLE_TABLE_ENTRY_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AuditMask = v_uint32()
class DBGKD_WRITE_MEMORY32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TargetBaseAddress = v_uint32()
self.TransferCount = v_uint32()
self.ActualBytesWritten = v_uint32()
class POP_FX_WORK_ORDER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkItem = WORK_QUEUE_ITEM()
self.WorkCount = v_uint32()
class _unnamed_34666(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Group = v_uint16()
self.MessageCount = v_uint16()
self.Vector = v_uint32()
self.Affinity = v_uint32()
class _unnamed_28148(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PowerSequence = v_ptr32()
class WHEA_ERROR_RECORD_SECTION_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SectionOffset = v_uint32()
self.SectionLength = v_uint32()
self.Revision = WHEA_REVISION()
self.ValidBits = WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_VALIDBITS()
self.Reserved = v_uint8()
self.Flags = WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_FLAGS()
self.SectionType = GUID()
self.FRUId = GUID()
self.SectionSeverity = v_uint32()
self.FRUText = vstruct.VArray([ v_uint8() for i in xrange(20) ])
class EX_WORK_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkerQueue = KQUEUE()
self.WorkItemsProcessed = v_uint32()
self.WorkItemsProcessedLastPass = v_uint32()
self.ThreadCount = v_uint32()
self.TryFailed = v_uint8()
self._pad0038 = v_bytes(size=3)
class MMWSLENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint32()
class PNP_DEVICE_COMPLETION_REQUEST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.DeviceNode = v_ptr32()
self.Context = v_ptr32()
self.CompletionState = v_uint32()
self.IrpPended = v_uint32()
self.Status = v_uint32()
self.Information = v_ptr32()
self.ReferenceCount = v_uint32()
class CHILD_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.List = v_uint32()
class _unnamed_31482(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MajorVersion = v_uint8()
self.MinorVersion = v_uint8()
self.SubVersion = v_uint8()
self.SubMinorVersion = v_uint8()
class PROC_FEEDBACK_COUNTER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InstantaneousRead = v_ptr32()
self._pad0008 = v_bytes(size=4)
self.LastActualCount = v_uint64()
self.LastReferenceCount = v_uint64()
self.CachedValue = v_uint32()
self._pad0020 = v_bytes(size=4)
self.Affinitized = v_uint8()
self.Differential = v_uint8()
self.DisableInterrupts = v_uint8()
self._pad0024 = v_bytes(size=1)
self.Context = v_uint32()
class CM_PARTIAL_RESOURCE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Version = v_uint16()
self.Revision = v_uint16()
self.Count = v_uint32()
self.PartialDescriptors = vstruct.VArray([ CM_PARTIAL_RESOURCE_DESCRIPTOR() for i in xrange(1) ])
class _unnamed_29717(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Disk = _unnamed_34794()
class DBGKD_RESTORE_BREAKPOINT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakPointHandle = v_uint32()
class PEPHANDLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.unused = v_uint32()
class IMAGE_SECURITY_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PageHashes = v_ptr32()
class DEVICE_CAPABILITIES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Version = v_uint16()
self.DeviceD1 = v_uint32()
self.Address = v_uint32()
self.UINumber = v_uint32()
self.DeviceState = vstruct.VArray([ DEVICE_POWER_STATE() for i in xrange(7) ])
self.SystemWake = v_uint32()
self.DeviceWake = v_uint32()
self.D1Latency = v_uint32()
self.D2Latency = v_uint32()
self.D3Latency = v_uint32()
class IOP_FILE_OBJECT_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FoExtFlags = v_uint32()
self.FoExtPerTypeExtension = vstruct.VArray([ v_ptr32() for i in xrange(7) ])
self.FoIoPriorityHint = v_uint32()
class IOP_IRP_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExtensionFlags = v_uint16()
self.TypesAllocated = v_uint16()
self.ActivityId = GUID()
self._pad0018 = v_bytes(size=4)
self.Timestamp = LARGE_INTEGER()
class _unnamed_34061(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotifyDevice = v_ptr32()
self.FxDeviceActivated = v_uint8()
self._pad0008 = v_bytes(size=3)
class _unnamed_34060(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CallerCompletion = v_ptr32()
self.CallerContext = v_ptr32()
self.CallerDevice = v_ptr32()
self.SystemWake = v_uint8()
self._pad0010 = v_bytes(size=3)
class ACL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AclRevision = v_uint8()
self.Sbz1 = v_uint8()
self.AclSize = v_uint16()
self.AceCount = v_uint16()
self.Sbz2 = v_uint16()
class PCW_INSTANCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class VOLUME_CACHE_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeTypeCode = v_uint16()
self.NodeByteCode = v_uint16()
self.UseCount = v_uint32()
self.DeviceObject = v_ptr32()
self.VolumeCacheMapLinks = LIST_ENTRY()
self.DirtyPages = v_uint32()
self.LogHandleContext = LOG_HANDLE_CONTEXT()
self.Flags = v_uint32()
self.PagesQueuedToDisk = v_uint32()
self.LoggedPagesQueuedToDisk = v_uint32()
self._pad0078 = v_bytes(size=4)
class CALLBACK_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class RTL_RANGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = v_uint64()
self.End = v_uint64()
self.UserData = v_ptr32()
self.Owner = v_ptr32()
self.Attributes = v_uint8()
self.Flags = v_uint8()
self._pad0020 = v_bytes(size=6)
class _unnamed_34324(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SnapSharedExportsFailed = v_uint32()
class HEAP_FREE_ENTRY_EXTRA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TagIndex = v_uint16()
self.FreeBackTraceIndex = v_uint16()
class EXCEPTION_RECORD64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionCode = v_uint32()
self.ExceptionFlags = v_uint32()
self.ExceptionRecord = v_uint64()
self.ExceptionAddress = v_uint64()
self.NumberParameters = v_uint32()
self.unusedAlignment = v_uint32()
self.ExceptionInformation = vstruct.VArray([ v_uint64() for i in xrange(15) ])
class SEP_LOWBOX_NUMBER_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HashEntry = RTL_DYNAMIC_HASH_TABLE_ENTRY()
self.ReferenceCount = v_uint32()
self.PackageSid = v_ptr32()
self.LowboxNumber = v_uint32()
self.AtomTable = v_ptr32()
class KPROCESS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
self.ProfileListHead = LIST_ENTRY()
self.DirectoryTableBase = v_uint32()
self.LdtDescriptor = KGDTENTRY()
self.Int21Descriptor = KIDTENTRY()
self.ThreadListHead = LIST_ENTRY()
self.ProcessLock = v_uint32()
self.Affinity = KAFFINITY_EX()
self.ReadyListHead = LIST_ENTRY()
self.SwapListEntry = SINGLE_LIST_ENTRY()
self.ActiveProcessors = KAFFINITY_EX()
self.AutoAlignment = v_uint32()
self.BasePriority = v_uint8()
self.QuantumReset = v_uint8()
self.Visited = v_uint8()
self.Flags = KEXECUTE_OPTIONS()
self.ThreadSeed = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.IdealNode = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self.IdealGlobalNode = v_uint16()
self.Spare1 = v_uint16()
self.IopmOffset = v_uint16()
self.SchedulingGroup = v_ptr32()
self.StackCount = KSTACK_COUNT()
self.ProcessListEntry = LIST_ENTRY()
self.CycleTime = v_uint64()
self.ContextSwitches = v_uint64()
self.FreezeCount = v_uint32()
self.KernelTime = v_uint32()
self.UserTime = v_uint32()
self.VdmTrapcHandler = v_ptr32()
class ALPC_COMMUNICATION_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ConnectionPort = v_ptr32()
self.ServerCommunicationPort = v_ptr32()
self.ClientCommunicationPort = v_ptr32()
self.CommunicationList = LIST_ENTRY()
self.HandleTable = ALPC_HANDLE_TABLE()
class DEVICE_OBJECT_POWER_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IdleCount = v_uint32()
self.BusyCount = v_uint32()
self.BusyReference = v_uint32()
self.TotalBusyCount = v_uint32()
self.ConservationIdleTime = v_uint32()
self.PerformanceIdleTime = v_uint32()
self.DeviceObject = v_ptr32()
self.IdleList = LIST_ENTRY()
self.IdleType = v_uint32()
self.IdleState = v_uint32()
self.CurrentState = v_uint32()
self.Volume = LIST_ENTRY()
self.Specific = _unnamed_29717()
class _unnamed_27983(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_ptr32()
self.Key = v_uint32()
self.ByteOffset = LARGE_INTEGER()
class _unnamed_30991(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Initialized = v_uint32()
class _unnamed_27988(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OutputBufferLength = v_uint32()
self.InputBufferLength = v_uint32()
self.IoControlCode = v_uint32()
self.Type3InputBuffer = v_ptr32()
class HEAP_TAG_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Allocs = v_uint32()
self.Frees = v_uint32()
self.Size = v_uint32()
self.TagIndex = v_uint16()
self.CreatorBackTraceIndex = v_uint16()
self.TagName = vstruct.VArray([ v_uint16() for i in xrange(24) ])
class VI_DEADLOCK_RESOURCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint32()
self.NodeCount = v_uint32()
self.ResourceAddress = v_ptr32()
self.ThreadOwner = v_ptr32()
self.ResourceList = LIST_ENTRY()
self.HashChainList = LIST_ENTRY()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(8) ])
self.LastAcquireTrace = vstruct.VArray([ v_ptr32() for i in xrange(8) ])
self.LastReleaseTrace = vstruct.VArray([ v_ptr32() for i in xrange(8) ])
class PROCESSOR_IDLE_PREPARE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Context = v_ptr32()
self._pad0008 = v_bytes(size=4)
self.Constraints = PROCESSOR_IDLE_CONSTRAINTS()
self.DependencyCount = v_uint32()
self.DependencyUsed = v_uint32()
self.DependencyArray = v_ptr32()
self.PlatformIdleStateIndex = v_uint32()
self.ProcessorIdleStateIndex = v_uint32()
self.IdleSelectFailureMask = v_uint32()
class ALPC_COMPLETION_LIST_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u1 = _unnamed_34963()
class WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Primary = v_uint32()
class TP_CALLBACK_ENVIRON_V3(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Version = v_uint32()
self.Pool = v_ptr32()
self.CleanupGroup = v_ptr32()
self.CleanupGroupCancelCallback = v_ptr32()
self.RaceDll = v_ptr32()
self.ActivationContext = v_ptr32()
self.FinalizationCallback = v_ptr32()
self.u = _unnamed_25485()
self.CallbackPriority = v_uint32()
self.Size = v_uint32()
class WHEAP_INFO_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ErrorSourceCount = v_uint32()
self.ErrorSourceTable = v_ptr32()
self.WorkQueue = v_ptr32()
class SEP_LOWBOX_HANDLES_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HashEntry = RTL_DYNAMIC_HASH_TABLE_ENTRY()
self.ReferenceCount = v_uint32()
self.PackageSid = v_ptr32()
self.HandleCount = v_uint32()
self.Handles = v_ptr32()
class VI_POOL_ENTRY_INUSE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VirtualAddress = v_ptr32()
self.CallingAddress = v_ptr32()
self.NumberOfBytes = v_uint32()
self.Tag = v_uint32()
class MEMORY_ALLOCATION_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.MemoryType = v_uint32()
self.BasePage = v_uint32()
self.PageCount = v_uint32()
class MMPTE_TRANSITION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class WHEA_ERROR_PACKET_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PreviousError = v_uint32()
class ARM_DBGKD_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Continue = v_uint32()
self.CurrentSymbolStart = v_uint32()
self.CurrentSymbolEnd = v_uint32()
class ALPC_PROCESS_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = EX_PUSH_LOCK()
self.ViewListHead = LIST_ENTRY()
self.PagedPoolQuotaCache = v_uint32()
class DIAGNOSTIC_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CallerType = v_uint32()
self.Process = v_ptr32()
self.ServiceTag = v_uint32()
self.ReasonSize = v_uint32()
class OBJECT_HANDLE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HandleAttributes = v_uint32()
self.GrantedAccess = v_uint32()
class KSPIN_LOCK_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.Lock = v_ptr32()
class _unnamed_34394(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationCode = v_uint32()
self.NotificationData = v_uint32()
class _unnamed_34397(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VetoType = v_uint32()
self.DeviceIdVetoNameBuffer = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self._pad0008 = v_bytes(size=2)
class HEAP_LOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = _unnamed_30634()
class XSTATE_CONFIGURATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EnabledFeatures = v_uint64()
self.EnabledVolatileFeatures = v_uint64()
self.Size = v_uint32()
self.OptimizedSave = v_uint32()
self.Features = vstruct.VArray([ XSTATE_FEATURE() for i in xrange(64) ])
class PS_CLIENT_SECURITY_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ImpersonationData = v_uint32()
class RTL_AVL_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BalancedRoot = RTL_BALANCED_LINKS()
self.OrderedPointer = v_ptr32()
self.WhichOrderedElement = v_uint32()
self.NumberGenericTableElements = v_uint32()
self.DepthOfTree = v_uint32()
self.RestartKey = v_ptr32()
self.DeleteCount = v_uint32()
self.CompareRoutine = v_ptr32()
self.AllocateRoutine = v_ptr32()
self.FreeRoutine = v_ptr32()
self.TableContext = v_ptr32()
class POP_FX_DEPENDENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Index = v_uint32()
self.ProviderIndex = v_uint32()
class RTL_SPLAY_LINKS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Parent = v_ptr32()
self.LeftChild = v_ptr32()
self.RightChild = v_ptr32()
class _unnamed_26252(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Bytes = _unnamed_32530()
class PNP_ASSIGN_RESOURCES_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IncludeFailedDevices = v_uint32()
self.DeviceCount = v_uint32()
self.DeviceList = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class AUTHZBASEP_CLAIM_ATTRIBUTES_COLLECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceGroupsCount = v_uint32()
self.pDeviceGroups = v_ptr32()
self.RestrictedDeviceGroupsCount = v_uint32()
self.pRestrictedDeviceGroups = v_ptr32()
self.DeviceGroupsHash = SID_AND_ATTRIBUTES_HASH()
self.RestrictedDeviceGroupsHash = SID_AND_ATTRIBUTES_HASH()
self.pUserSecurityAttributes = v_ptr32()
self.pDeviceSecurityAttributes = v_ptr32()
self.pRestrictedUserSecurityAttributes = v_ptr32()
self.pRestrictedDeviceSecurityAttributes = v_ptr32()
class MAPPED_FILE_SEGMENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlArea = v_ptr32()
self.TotalNumberOfPtes = v_uint32()
self.SegmentFlags = SEGMENT_FLAGS()
self.NumberOfCommittedPages = v_uint32()
self.SizeOfSegment = v_uint64()
self.ExtendInfo = v_ptr32()
self.SegmentLock = EX_PUSH_LOCK()
class OWNER_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OwnerThread = v_uint32()
self.IoPriorityBoosted = v_uint32()
class EX_PUSH_LOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Locked = v_uint32()
class DEVOBJ_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.DeviceObject = v_ptr32()
self.PowerFlags = v_uint32()
self.Dope = v_ptr32()
self.ExtensionFlags = v_uint32()
self.DeviceNode = v_ptr32()
self.AttachedTo = v_ptr32()
self.StartIoCount = v_uint32()
self.StartIoKey = v_uint32()
self.StartIoFlags = v_uint32()
self.Vpb = v_ptr32()
self.DependentList = LIST_ENTRY()
self.ProviderList = LIST_ENTRY()
class _unnamed_28186(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllocatedResources = v_ptr32()
self.AllocatedResourcesTranslated = v_ptr32()
class KSTACK_CONTROL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StackBase = v_uint32()
self.ActualLimit = v_uint32()
self.PreviousTrapFrame = v_ptr32()
self.PreviousExceptionList = v_ptr32()
self.Previous = KERNEL_STACK_SEGMENT()
class ARBITER_ALLOCATION_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = v_uint64()
self.End = v_uint64()
self.CurrentMinimum = v_uint64()
self.CurrentMaximum = v_uint64()
self.Entry = v_ptr32()
self.CurrentAlternative = v_ptr32()
self.AlternativeCount = v_uint32()
self.Alternatives = v_ptr32()
self.Flags = v_uint16()
self.RangeAttributes = v_uint8()
self.RangeAvailableAttributes = v_uint8()
self.WorkSpace = v_uint32()
class BLOB_TYPE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ResourceId = v_uint32()
self.PoolTag = v_uint32()
self.LookasideIndex = v_uint32()
self.Flags = v_uint32()
self.Counters = v_ptr32()
self.DeleteProcedure = v_ptr32()
self.DestroyProcedure = v_ptr32()
self.UsualSize = v_uint32()
class PNP_DEVICE_ACTION_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.DeviceObject = v_ptr32()
self.RequestType = v_uint32()
self.ReorderingBarrier = v_uint8()
self._pad0014 = v_bytes(size=3)
self.RequestArgument = v_uint32()
self.CompletionEvent = v_ptr32()
self.CompletionStatus = v_ptr32()
class OPEN_PACKET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.FileObject = v_ptr32()
self.FinalStatus = v_uint32()
self.Information = v_uint32()
self.ParseCheck = v_uint32()
self.RelatedFileObject = v_ptr32()
self.OriginalAttributes = v_ptr32()
self._pad0020 = v_bytes(size=4)
self.AllocationSize = LARGE_INTEGER()
self.CreateOptions = v_uint32()
self.FileAttributes = v_uint16()
self.ShareAccess = v_uint16()
self.EaBuffer = v_ptr32()
self.EaLength = v_uint32()
self.Options = v_uint32()
self.Disposition = v_uint32()
self.BasicInformation = v_ptr32()
self.NetworkInformation = v_ptr32()
self.CreateFileType = v_uint32()
self.MailslotOrPipeParameters = v_ptr32()
self.Override = v_uint8()
self.QueryOnly = v_uint8()
self.DeleteOnly = v_uint8()
self.FullAttributes = v_uint8()
self.LocalFileObject = v_ptr32()
self.InternalFlags = v_uint32()
self.AccessMode = v_uint8()
self._pad0060 = v_bytes(size=3)
self.DriverCreateContext = IO_DRIVER_CREATE_CONTEXT()
class HANDLE_TABLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VolatileLowValue = v_uint32()
self.HighValue = v_uint32()
class HEAP_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TotalMemoryReserved = v_uint32()
self.TotalMemoryCommitted = v_uint32()
self.TotalMemoryLargeUCR = v_uint32()
self.TotalSizeInVirtualBlocks = v_uint32()
self.TotalSegments = v_uint32()
self.TotalUCRs = v_uint32()
self.CommittOps = v_uint32()
self.DeCommitOps = v_uint32()
self.LockAcquires = v_uint32()
self.LockCollisions = v_uint32()
self.CommitRate = v_uint32()
self.DecommittRate = v_uint32()
self.CommitFailures = v_uint32()
self.InBlockCommitFailures = v_uint32()
self.PollIntervalCounter = v_uint32()
self.DecommitsSinceLastCheck = v_uint32()
self.HeapPollInterval = v_uint32()
self.AllocAndFreeOps = v_uint32()
self.AllocationIndicesActive = v_uint32()
self.InBlockDeccommits = v_uint32()
self.InBlockDeccomitSize = v_uint32()
self.HighWatermarkSize = v_uint32()
self.LastPolledSize = v_uint32()
class WHEA_MEMORY_ERROR_SECTION_VALIDBITS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ErrorStatus = v_uint64()
class BLOB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ResourceList = LIST_ENTRY()
self.u1 = _unnamed_30805()
self.ResourceId = v_uint8()
self.CachedReferences = v_uint16()
self.ReferenceCount = v_uint32()
self.Pad = v_uint32()
self.Lock = EX_PUSH_LOCK()
class WORK_QUEUE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkQueueLinks = LIST_ENTRY()
self.Parameters = _unnamed_30472()
self.Function = v_uint8()
self._pad0010 = v_bytes(size=3)
class PI_BUS_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.NumberCSNs = v_uint8()
self._pad0008 = v_bytes(size=3)
self.ReadDataPort = v_ptr32()
self.DataPortMapped = v_uint8()
self._pad0010 = v_bytes(size=3)
self.AddressPort = v_ptr32()
self.AddrPortMapped = v_uint8()
self._pad0018 = v_bytes(size=3)
self.CommandPort = v_ptr32()
self.CmdPortMapped = v_uint8()
self._pad0020 = v_bytes(size=3)
self.NextSlotNumber = v_uint32()
self.DeviceList = SINGLE_LIST_ENTRY()
self.CardList = SINGLE_LIST_ENTRY()
self.PhysicalBusDevice = v_ptr32()
self.FunctionalBusDevice = v_ptr32()
self.AttachedDevice = v_ptr32()
self.BusNumber = v_uint32()
self.SystemPowerState = v_uint32()
self.DevicePowerState = v_uint32()
class MAILSLOT_CREATE_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MailslotQuota = v_uint32()
self.MaximumMessageSize = v_uint32()
self.ReadTimeout = LARGE_INTEGER()
self.TimeoutSpecified = v_uint8()
self._pad0018 = v_bytes(size=7)
class _unnamed_28043(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InterfaceType = v_ptr32()
self.Size = v_uint16()
self.Version = v_uint16()
self.Interface = v_ptr32()
self.InterfaceSpecificData = v_ptr32()
class FS_FILTER_CALLBACK_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SizeOfFsFilterCallbackData = v_uint32()
self.Operation = v_uint8()
self.Reserved = v_uint8()
self._pad0008 = v_bytes(size=2)
self.DeviceObject = v_ptr32()
self.FileObject = v_ptr32()
self.Parameters = FS_FILTER_PARAMETERS()
class PPM_IDLE_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DomainMembers = KAFFINITY_EX()
self.Latency = v_uint32()
self.Power = v_uint32()
self.StateFlags = v_uint32()
self.StateType = v_uint8()
self.InterruptsEnabled = v_uint8()
self.Interruptible = v_uint8()
self.ContextRetained = v_uint8()
self.CacheCoherent = v_uint8()
self._pad0020 = v_bytes(size=3)
class IO_RESOURCE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Option = v_uint8()
self.Type = v_uint8()
self.ShareDisposition = v_uint8()
self.Spare1 = v_uint8()
self.Flags = v_uint16()
self.Spare2 = v_uint16()
self.u = _unnamed_33989()
class ACCESS_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OperationID = LUID()
self.SecurityEvaluated = v_uint8()
self.GenerateAudit = v_uint8()
self.GenerateOnClose = v_uint8()
self.PrivilegesAllocated = v_uint8()
self.Flags = v_uint32()
self.RemainingDesiredAccess = v_uint32()
self.PreviouslyGrantedAccess = v_uint32()
self.OriginalDesiredAccess = v_uint32()
self.SubjectSecurityContext = SECURITY_SUBJECT_CONTEXT()
self.SecurityDescriptor = v_ptr32()
self.AuxData = v_ptr32()
self.Privileges = _unnamed_27432()
self.AuditPrivileges = v_uint8()
self._pad0064 = v_bytes(size=3)
self.ObjectName = UNICODE_STRING()
self.ObjectTypeName = UNICODE_STRING()
class RTL_ATOM_TABLE_REFERENCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowBoxList = LIST_ENTRY()
self.LowBoxID = v_uint32()
self.ReferenceCount = v_uint16()
self.Flags = v_uint16()
class DBGKD_SWITCH_PARTITION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Partition = v_uint32()
class TP_CALLBACK_INSTANCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class _unnamed_27809(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceQueueEntry = KDEVICE_QUEUE_ENTRY()
self.Thread = v_ptr32()
self.AuxiliaryBuffer = v_ptr32()
self.ListEntry = LIST_ENTRY()
self.CurrentStackLocation = v_ptr32()
self.OriginalFileObject = v_ptr32()
self.IrpExtension = v_ptr32()
class PROC_IDLE_ACCOUNTING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StateCount = v_uint32()
self.TotalTransitions = v_uint32()
self.ResetCount = v_uint32()
self.AbortCount = v_uint32()
self.StartTime = v_uint64()
self.PriorIdleTime = v_uint64()
self.TimeUnit = v_uint32()
self._pad0028 = v_bytes(size=4)
self.State = vstruct.VArray([ PROC_IDLE_STATE_ACCOUNTING() for i in xrange(1) ])
class _unnamed_32010(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.XpfMceDescriptor = WHEA_XPF_MCE_DESCRIPTOR()
self._pad03a4 = v_bytes(size=12)
class GDI_TEB_BATCH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Offset = v_uint32()
self.HDC = v_uint32()
self.Buffer = vstruct.VArray([ v_uint32() for i in xrange(310) ])
class DBGKD_SET_SPECIAL_CALL32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SpecialCall = v_uint32()
class STRING32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint16()
self.MaximumLength = v_uint16()
self.Buffer = v_uint32()
class DBGKD_LOAD_SYMBOLS32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PathNameLength = v_uint32()
self.BaseOfDll = v_uint32()
self.ProcessId = v_uint32()
self.CheckSum = v_uint32()
self.SizeOfImage = v_uint32()
self.UnloadSymbols = v_uint8()
self._pad0018 = v_bytes(size=3)
class tagSWITCH_CONTEXT_ATTRIBUTE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ulContextUpdateCounter = v_uint64()
self.fAllowContextUpdate = v_uint32()
self.fEnableTrace = v_uint32()
self.EtwHandle = v_uint64()
class DBGKM_EXCEPTION32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionRecord = EXCEPTION_RECORD32()
self.FirstChance = v_uint32()
class _unnamed_29100(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IoStatus = IO_STATUS_BLOCK()
class PAGEFAULT_HISTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class PNP_RESERVED_PROVIDER_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.DependentList = LIST_ENTRY()
self.ReservationId = UNICODE_STRING()
self.ReferenceCount = v_uint32()
class ECP_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Flags = v_uint32()
self.EcpList = LIST_ENTRY()
class ENODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Ncb = KNODE()
self.ExWorkerQueues = vstruct.VArray([ EX_WORK_QUEUE() for i in xrange(7) ])
self.ExpThreadSetManagerEvent = KEVENT()
self.ExpWorkerThreadBalanceManagerPtr = v_ptr32()
self.ExpWorkerSeed = v_uint32()
self.ExWorkerFullInit = v_uint32()
self._pad0280 = v_bytes(size=28)
class PROCESSOR_PERFSTATE_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revision = v_uint32()
self.MaxThrottle = v_uint8()
self.MinThrottle = v_uint8()
self.BusyAdjThreshold = v_uint8()
self.Spare = v_uint8()
self.TimeCheck = v_uint32()
self.IncreaseTime = v_uint32()
self.DecreaseTime = v_uint32()
self.IncreasePercent = v_uint32()
self.DecreasePercent = v_uint32()
class NT_TIB64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionList = v_uint64()
self.StackBase = v_uint64()
self.StackLimit = v_uint64()
self.SubSystemTib = v_uint64()
self.FiberData = v_uint64()
self.ArbitraryUserPointer = v_uint64()
self.Self = v_uint64()
class SECTION_OBJECT_POINTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DataSectionObject = v_ptr32()
self.SharedCacheMap = v_ptr32()
self.ImageSectionObject = v_ptr32()
class MDL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.Size = v_uint16()
self.MdlFlags = v_uint16()
self.Process = v_ptr32()
self.MappedSystemVa = v_ptr32()
self.StartVa = v_ptr32()
self.ByteCount = v_uint32()
self.ByteOffset = v_uint32()
class _unnamed_30472(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Read = _unnamed_30473()
class KTRAP_FRAME(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DbgEbp = v_uint32()
self.DbgEip = v_uint32()
self.DbgArgMark = v_uint32()
self.DbgArgPointer = v_uint32()
self.TempSegCs = v_uint16()
self.Logging = v_uint8()
self.FrameType = v_uint8()
self.TempEsp = v_uint32()
self.Dr0 = v_uint32()
self.Dr1 = v_uint32()
self.Dr2 = v_uint32()
self.Dr3 = v_uint32()
self.Dr6 = v_uint32()
self.Dr7 = v_uint32()
self.SegGs = v_uint32()
self.SegEs = v_uint32()
self.SegDs = v_uint32()
self.Edx = v_uint32()
self.Ecx = v_uint32()
self.Eax = v_uint32()
self.PreviousPreviousMode = v_uint8()
self.EntropyQueueDpc = v_uint8()
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.ExceptionList = v_ptr32()
self.SegFs = v_uint32()
self.Edi = v_uint32()
self.Esi = v_uint32()
self.Ebx = v_uint32()
self.Ebp = v_uint32()
self.ErrCode = v_uint32()
self.Eip = v_uint32()
self.SegCs = v_uint32()
self.EFlags = v_uint32()
self.HardwareEsp = v_uint32()
self.HardwareSegSs = v_uint32()
self.V86Es = v_uint32()
self.V86Ds = v_uint32()
self.V86Fs = v_uint32()
self.V86Gs = v_uint32()
class _unnamed_34931(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TestAllocation = ARBITER_TEST_ALLOCATION_PARAMETERS()
self._pad0010 = v_bytes(size=4)
class _unnamed_30475(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SharedCacheMap = v_ptr32()
class CM_INDEX_HINT_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.HashKey = vstruct.VArray([ v_uint32() for i in xrange(1) ])
class _unnamed_30477(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Event = v_ptr32()
class PRIVATE_CACHE_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeTypeCode = v_uint16()
self._pad0004 = v_bytes(size=2)
self.ReadAheadMask = v_uint32()
self.FileObject = v_ptr32()
self._pad0010 = v_bytes(size=4)
self.FileOffset1 = LARGE_INTEGER()
self.BeyondLastByte1 = LARGE_INTEGER()
self.FileOffset2 = LARGE_INTEGER()
self.BeyondLastByte2 = LARGE_INTEGER()
self.SequentialReadCount = v_uint32()
self.ReadAheadLength = v_uint32()
self.ReadAheadOffset = LARGE_INTEGER()
self.ReadAheadBeyondLastByte = LARGE_INTEGER()
self.PrevReadAheadBeyondLastByte = v_uint64()
self.ReadAheadSpinLock = v_uint32()
self.PipelinedReadAheadRequestSize = v_uint32()
self.ReadAheadGrowth = v_uint32()
self.PrivateLinks = LIST_ENTRY()
self.ReadAheadWorkItem = v_ptr32()
class MMPTE_SOFTWARE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class IO_TIMER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.TimerFlag = v_uint16()
self.TimerList = LIST_ENTRY()
self.TimerRoutine = v_ptr32()
self.Context = v_ptr32()
self.DeviceObject = v_ptr32()
class MM_STORE_KEY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.KeyLow = v_uint32()
class OBJECT_CREATE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Attributes = v_uint32()
self.RootDirectory = v_ptr32()
self.ProbeMode = v_uint8()
self._pad000c = v_bytes(size=3)
self.PagedPoolCharge = v_uint32()
self.NonPagedPoolCharge = v_uint32()
self.SecurityDescriptorCharge = v_uint32()
self.SecurityDescriptor = v_ptr32()
self.SecurityQos = v_ptr32()
self.SecurityQualityOfService = SECURITY_QUALITY_OF_SERVICE()
class WHEA_REVISION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MinorRevision = v_uint8()
self.MajorRevision = v_uint8()
class KSECONDARY_IDT_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SpinLock = v_uint32()
self.ConnectLock = KEVENT()
self.LineMasked = v_uint8()
self._pad0018 = v_bytes(size=3)
self.InterruptList = v_ptr32()
class TP_CLEANUP_GROUP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class MM_SESSION_SPACE_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Initialized = v_uint32()
class CVDD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self._pad001c = v_bytes(size=24)
class EVENT_FILTER_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Id = v_uint16()
self.Version = v_uint8()
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(5) ])
self.InstanceId = v_uint64()
self.Size = v_uint32()
self.NextOffset = v_uint32()
class PROC_IDLE_SNAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Time = v_uint64()
self.Idle = v_uint64()
class POP_FX_DRIVER_CALLBACKS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ComponentActive = v_ptr32()
self.ComponentIdle = v_ptr32()
self.ComponentIdleState = v_ptr32()
self.DevicePowerRequired = v_ptr32()
self.DevicePowerNotRequired = v_ptr32()
self.PowerControl = v_ptr32()
self.ComponentCriticalTransition = v_ptr32()
class PO_NOTIFY_ORDER_LEVEL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceCount = v_uint32()
self.ActiveCount = v_uint32()
self.WaitSleep = LIST_ENTRY()
self.ReadySleep = LIST_ENTRY()
self.ReadyS0 = LIST_ENTRY()
self.WaitS0 = LIST_ENTRY()
class SECURITY_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revision = v_uint8()
self.Sbz1 = v_uint8()
self.Control = v_uint16()
self.Owner = v_ptr32()
self.Group = v_ptr32()
self.Sacl = v_ptr32()
self.Dacl = v_ptr32()
class PCW_PROCESSOR_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IdleTime = v_uint64()
self.AvailableTime = v_uint64()
self.UserTime = v_uint64()
self.KernelTime = v_uint64()
self.Interrupts = v_uint32()
self._pad0028 = v_bytes(size=4)
self.DpcTime = v_uint64()
self.InterruptTime = v_uint64()
self.ClockInterrupts = v_uint32()
self.DpcCount = v_uint32()
self.DpcRate = v_uint32()
self._pad0048 = v_bytes(size=4)
self.C1Time = v_uint64()
self.C2Time = v_uint64()
self.C3Time = v_uint64()
self.C1Transitions = v_uint64()
self.C2Transitions = v_uint64()
self.C3Transitions = v_uint64()
self.ParkingStatus = v_uint32()
self.CurrentFrequency = v_uint32()
self.PercentMaxFrequency = v_uint32()
self.StateFlags = v_uint32()
self.NominalThroughput = v_uint32()
self.ActiveThroughput = v_uint32()
self.ScaledThroughput = v_uint64()
self.ScaledKernelThroughput = v_uint64()
self.AverageIdleTime = v_uint64()
self.IdleBreakEvents = v_uint64()
self.PerformanceLimit = v_uint32()
self.PerformanceLimitFlags = v_uint32()
class OBJECT_TYPE_INITIALIZER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint16()
self.ObjectTypeFlags = v_uint8()
self._pad0004 = v_bytes(size=1)
self.ObjectTypeCode = v_uint32()
self.InvalidAttributes = v_uint32()
self.GenericMapping = GENERIC_MAPPING()
self.ValidAccessMask = v_uint32()
self.RetainAccess = v_uint32()
self.PoolType = v_uint32()
self.DefaultPagedPoolCharge = v_uint32()
self.DefaultNonPagedPoolCharge = v_uint32()
self.DumpProcedure = v_ptr32()
self.OpenProcedure = v_ptr32()
self.CloseProcedure = v_ptr32()
self.DeleteProcedure = v_ptr32()
self.ParseProcedure = v_ptr32()
self.SecurityProcedure = v_ptr32()
self.QueryNameProcedure = v_ptr32()
self.OkayToCloseProcedure = v_ptr32()
self.WaitObjectFlagMask = v_uint32()
self.WaitObjectFlagOffset = v_uint16()
self.WaitObjectPointerOffset = v_uint16()
class VACB_LEVEL_REFERENCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Reference = v_uint32()
self.SpecialReference = v_uint32()
class XSTATE_SAVE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Reserved1 = v_uint64()
self.Reserved2 = v_uint32()
self.Prev = v_ptr32()
self.Reserved3 = v_ptr32()
self.Thread = v_ptr32()
self.Reserved4 = v_ptr32()
self.Level = v_uint8()
self._pad0020 = v_bytes(size=3)
class PTE_TRACKER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.Mdl = v_ptr32()
self.Count = v_uint32()
self.SystemVa = v_ptr32()
self.StartVa = v_ptr32()
self.Offset = v_uint32()
self.Length = v_uint32()
self.Page = v_uint32()
self.IoMapping = v_uint32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(7) ])
class HEAP_ENTRY_EXTRA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllocatorBackTraceIndex = v_uint16()
self.TagIndex = v_uint16()
self.Settable = v_uint32()
class _unnamed_27861(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityContext = v_ptr32()
self.Options = v_uint32()
self.Reserved = v_uint16()
self.ShareAccess = v_uint16()
self.Parameters = v_ptr32()
class _unnamed_34023(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UserData = v_uint32()
class HEAP_PSEUDO_TAG_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Allocs = v_uint32()
self.Frees = v_uint32()
self.Size = v_uint32()
class _unnamed_34026(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u = _unnamed_34023()
class CM_KEY_REFERENCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.KeyCell = v_uint32()
self.KeyHive = v_ptr32()
class MMSECTION_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BeingDeleted = v_uint32()
class MI_SPECIAL_POOL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = v_uint32()
self._pad0008 = v_bytes(size=4)
self.Paged = MI_PTE_CHAIN_HEAD()
self.NonPaged = MI_PTE_CHAIN_HEAD()
self.PagesInUse = v_uint32()
self.SpecialPoolPdes = RTL_BITMAP()
self._pad0048 = v_bytes(size=4)
class DBGKD_GET_INTERNAL_BREAKPOINT64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakpointAddress = v_uint64()
self.Flags = v_uint32()
self.Calls = v_uint32()
self.MaxCallsPerPeriod = v_uint32()
self.MinInstructions = v_uint32()
self.MaxInstructions = v_uint32()
self.TotalInstructions = v_uint32()
class CONTROL_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Segment = v_ptr32()
self.ListHead = LIST_ENTRY()
self.NumberOfSectionReferences = v_uint32()
self.NumberOfPfnReferences = v_uint32()
self.NumberOfMappedViews = v_uint32()
self.NumberOfUserReferences = v_uint32()
self.u = _unnamed_28971()
self.FlushInProgressCount = v_uint32()
self.FilePointer = EX_FAST_REF()
self.ControlAreaLock = v_uint32()
self.ModifiedWriteCount = v_uint32()
self.WaitList = v_ptr32()
self.u2 = _unnamed_28974()
self.LockedPages = v_uint64()
class MODWRITER_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.KeepForever = v_uint32()
class _unnamed_35375(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EndingOffset = v_ptr32()
self.ResourceToRelease = v_ptr32()
class _unnamed_35376(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ResourceToRelease = v_ptr32()
class CM_TRANS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TransactionListEntry = LIST_ENTRY()
self.KCBUoWListHead = LIST_ENTRY()
self.LazyCommitListEntry = LIST_ENTRY()
self.KtmTrans = v_ptr32()
self.CmRm = v_ptr32()
self.KtmEnlistmentObject = v_ptr32()
self.KtmEnlistmentHandle = v_ptr32()
self.KtmUow = GUID()
self.StartLsn = v_uint64()
self.TransState = v_uint32()
self.HiveCount = v_uint32()
self.HiveArray = vstruct.VArray([ v_ptr32() for i in xrange(7) ])
self._pad0068 = v_bytes(size=4)
class POP_POWER_ACTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Updates = v_uint8()
self.State = v_uint8()
self.Shutdown = v_uint8()
self._pad0004 = v_bytes(size=1)
self.Action = v_uint32()
self.LightestState = v_uint32()
self.Flags = v_uint32()
self.Status = v_uint32()
self.DeviceType = v_uint32()
self.DeviceTypeFlags = v_uint32()
self.IrpMinor = v_uint8()
self.Waking = v_uint8()
self._pad0020 = v_bytes(size=2)
self.SystemState = v_uint32()
self.NextSystemState = v_uint32()
self.EffectiveSystemState = v_uint32()
self.CurrentSystemState = v_uint32()
self.ShutdownBugCode = v_ptr32()
self.DevState = v_ptr32()
self.HiberContext = v_ptr32()
self._pad0040 = v_bytes(size=4)
self.WakeTime = v_uint64()
self.SleepTime = v_uint64()
self.WakeAlarmSignaled = v_uint32()
self._pad0058 = v_bytes(size=4)
self.WakeAlarm = vstruct.VArray([ _unnamed_35222() for i in xrange(3) ])
self.FilteredCapabilities = SYSTEM_POWER_CAPABILITIES()
self._pad00d8 = v_bytes(size=4)
class _unnamed_35379(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Argument1 = v_ptr32()
self.Argument2 = v_ptr32()
self.Argument3 = v_ptr32()
self.Argument4 = v_ptr32()
self.Argument5 = v_ptr32()
class EPROCESS_VALUES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.KernelTime = v_uint64()
self.UserTime = v_uint64()
self.CycleTime = v_uint64()
self.ContextSwitches = v_uint64()
self.ReadOperationCount = v_uint64()
self.WriteOperationCount = v_uint64()
self.OtherOperationCount = v_uint64()
self.ReadTransferCount = v_uint64()
self.WriteTransferCount = v_uint64()
self.OtherTransferCount = v_uint64()
class OBJECT_HEADER_CREATOR_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TypeList = LIST_ENTRY()
self.CreatorUniqueProcess = v_ptr32()
self.CreatorBackTraceIndex = v_uint16()
self.Reserved = v_uint16()
class PAGED_LOOKASIDE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.L = GENERAL_LOOKASIDE()
self.Lock__ObsoleteButDoNotDelete = FAST_MUTEX()
self._pad00c0 = v_bytes(size=32)
class MBCB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeTypeCode = v_uint16()
self.NodeIsInZone = v_uint16()
self.PagesToWrite = v_uint32()
self.DirtyPages = v_uint32()
self.Reserved = v_uint32()
self.BitmapRanges = LIST_ENTRY()
self.ResumeWritePage = v_uint64()
self.MostRecentlyDirtiedPage = v_uint64()
self.BitmapRange1 = BITMAP_RANGE()
self.BitmapRange2 = BITMAP_RANGE()
self.BitmapRange3 = BITMAP_RANGE()
class PROCESS_DISK_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BytesRead = v_uint64()
self.BytesWritten = v_uint64()
self.ReadOperationCount = v_uint64()
self.WriteOperationCount = v_uint64()
self.FlushOperationCount = v_uint64()
class RTL_BITMAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SizeOfBitMap = v_uint32()
self.Buffer = v_ptr32()
class LARGE_INTEGER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.HighPart = v_uint32()
class IA64_DBGKD_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Continue = v_uint32()
self.CurrentSymbolStart = v_uint64()
self.CurrentSymbolEnd = v_uint64()
class PCW_REGISTRATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class _unnamed_27868(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.Key = v_uint32()
self.ByteOffset = LARGE_INTEGER()
class HBIN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.FileOffset = v_uint32()
self.Size = v_uint32()
self.Reserved1 = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.TimeStamp = LARGE_INTEGER()
self.Spare = v_uint32()
class _unnamed_28130(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InPath = v_uint8()
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(3) ])
self.Type = v_uint32()
class WHEA_AER_ENDPOINT_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.Reserved = v_uint8()
self.BusNumber = v_uint32()
self.Slot = WHEA_PCI_SLOT_NUMBER()
self.DeviceControl = v_uint16()
self.Flags = AER_ENDPOINT_DESCRIPTOR_FLAGS()
self.UncorrectableErrorMask = v_uint32()
self.UncorrectableErrorSeverity = v_uint32()
self.CorrectableErrorMask = v_uint32()
self.AdvancedCapsAndControl = v_uint32()
class NPAGED_LOOKASIDE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.L = GENERAL_LOOKASIDE()
self.Lock__ObsoleteButDoNotDelete = v_uint32()
self._pad00c0 = v_bytes(size=60)
class LEARNING_MODE_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Settings = v_uint32()
self.Enabled = v_uint8()
self.PermissiveModeEnabled = v_uint8()
self._pad0008 = v_bytes(size=2)
class RTL_DYNAMIC_HASH_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.Shift = v_uint32()
self.TableSize = v_uint32()
self.Pivot = v_uint32()
self.DivisorMask = v_uint32()
self.NumEntries = v_uint32()
self.NonEmptyBuckets = v_uint32()
self.NumEnumerators = v_uint32()
self.Directory = v_ptr32()
class BITMAP_RANGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Links = LIST_ENTRY()
self.BasePage = v_uint64()
self.FirstDirtyPage = v_uint32()
self.LastDirtyPage = v_uint32()
self.DirtyPages = v_uint32()
self.Bitmap = v_ptr32()
class ETW_REG_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RegList = LIST_ENTRY()
self.GuidEntry = v_ptr32()
self.ReplyQueue = v_ptr32()
self.SessionId = v_uint32()
self._pad001c = v_bytes(size=8)
self.Process = v_ptr32()
self.Callback = v_ptr32()
self.Index = v_uint16()
self.Flags = v_uint8()
self.EnableMask = v_uint8()
class PLATFORM_IDLE_STATE_ACCOUNTING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CancelCount = v_uint32()
self.FailureCount = v_uint32()
self.SuccessCount = v_uint32()
self._pad0010 = v_bytes(size=4)
self.MaxTime = v_uint64()
self.MinTime = v_uint64()
self.TotalTime = v_uint64()
self.InvalidBucketIndex = v_uint32()
self._pad0030 = v_bytes(size=4)
self.IdleTimeBuckets = vstruct.VArray([ PROC_IDLE_STATE_BUCKET() for i in xrange(26) ])
class KLOCK_QUEUE_HANDLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LockQueue = KSPIN_LOCK_QUEUE()
self.OldIrql = v_uint8()
self._pad000c = v_bytes(size=3)
class TRACE_LOGFILE_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BufferSize = v_uint32()
self.Version = v_uint32()
self.ProviderVersion = v_uint32()
self.NumberOfProcessors = v_uint32()
self.EndTime = LARGE_INTEGER()
self.TimerResolution = v_uint32()
self.MaximumFileSize = v_uint32()
self.LogFileMode = v_uint32()
self.BuffersWritten = v_uint32()
self.LogInstanceGuid = GUID()
self.LoggerName = v_ptr32()
self.LogFileName = v_ptr32()
self.TimeZone = RTL_TIME_ZONE_INFORMATION()
self._pad00f0 = v_bytes(size=4)
self.BootTime = LARGE_INTEGER()
self.PerfFreq = LARGE_INTEGER()
self.StartTime = LARGE_INTEGER()
self.ReservedFlags = v_uint32()
self.BuffersLost = v_uint32()
class CLIENT_ID32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UniqueProcess = v_uint32()
self.UniqueThread = v_uint32()
class CLS_LSN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.offset = _unnamed_36524()
class _unnamed_27432(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InitialPrivilegeSet = INITIAL_PRIVILEGE_SET()
class VPB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.Flags = v_uint16()
self.VolumeLabelLength = v_uint16()
self.DeviceObject = v_ptr32()
self.RealDevice = v_ptr32()
self.SerialNumber = v_uint32()
self.ReferenceCount = v_uint32()
self.VolumeLabel = vstruct.VArray([ v_uint16() for i in xrange(32) ])
class _unnamed_34115(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.MinBusNumber = v_uint32()
self.MaxBusNumber = v_uint32()
self.Reserved = v_uint32()
class WHEAP_ERROR_SOURCE_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Count = v_uint32()
self.Items = LIST_ENTRY()
self.InsertLock = KEVENT()
class OBP_LOOKUP_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Directory = v_ptr32()
self.Object = v_ptr32()
self.EntryLink = v_ptr32()
self.HashValue = v_uint32()
self.HashIndex = v_uint16()
self.DirectoryLocked = v_uint8()
self.LockedExclusive = v_uint8()
self.LockStateSignature = v_uint32()
class OB_DUPLICATE_OBJECT_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SourceProcess = v_ptr32()
self.SourceHandle = v_ptr32()
self.Object = v_ptr32()
self.TargetAccess = v_uint32()
self.ObjectInfo = HANDLE_TABLE_ENTRY_INFO()
self.HandleAttributes = v_uint32()
class PP_LOOKASIDE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.P = v_ptr32()
self.L = v_ptr32()
class SEP_LOGON_SESSION_REFERENCES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.LogonId = LUID()
self.BuddyLogonId = LUID()
self.ReferenceCount = v_uint32()
self.Flags = v_uint32()
self.pDeviceMap = v_ptr32()
self.Token = v_ptr32()
self.AccountName = UNICODE_STRING()
self.AuthorityName = UNICODE_STRING()
self.LowBoxHandlesTable = SEP_LOWBOX_HANDLES_TABLE()
class JOBOBJECT_WAKE_FILTER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HighEdgeFilter = v_uint32()
self.LowEdgeFilter = v_uint32()
class _unnamed_29797(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DockStatus = v_uint32()
self.ListEntry = LIST_ENTRY()
self.SerialNumber = v_ptr32()
class MMPTE_TIMESTAMP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MustBeZero = v_uint64()
class OBJECT_NAME_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Name = UNICODE_STRING()
class OBJECT_HEADER_PROCESS_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExclusiveProcess = v_ptr32()
self.Reserved = v_uint32()
class KUSER_SHARED_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TickCountLowDeprecated = v_uint32()
self.TickCountMultiplier = v_uint32()
self.InterruptTime = KSYSTEM_TIME()
self.SystemTime = KSYSTEM_TIME()
self.TimeZoneBias = KSYSTEM_TIME()
self.ImageNumberLow = v_uint16()
self.ImageNumberHigh = v_uint16()
self.NtSystemRoot = vstruct.VArray([ v_uint16() for i in xrange(260) ])
self.MaxStackTraceDepth = v_uint32()
self.CryptoExponent = v_uint32()
self.TimeZoneId = v_uint32()
self.LargePageMinimum = v_uint32()
self.AitSamplingValue = v_uint32()
self.AppCompatFlag = v_uint32()
self.RNGSeedVersion = v_uint64()
self.GlobalValidationRunlevel = v_uint32()
self.TimeZoneBiasStamp = v_uint32()
self.Reserved2 = v_uint32()
self.NtProductType = v_uint32()
self.ProductTypeIsValid = v_uint8()
self.Reserved0 = vstruct.VArray([ v_uint8() for i in xrange(1) ])
self.NativeProcessorArchitecture = v_uint16()
self.NtMajorVersion = v_uint32()
self.NtMinorVersion = v_uint32()
self.ProcessorFeatures = vstruct.VArray([ v_uint8() for i in xrange(64) ])
self.Reserved1 = v_uint32()
self.Reserved3 = v_uint32()
self.TimeSlip = v_uint32()
self.AlternativeArchitecture = v_uint32()
self.AltArchitecturePad = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.SystemExpirationDate = LARGE_INTEGER()
self.SuiteMask = v_uint32()
self.KdDebuggerEnabled = v_uint8()
self.MitigationPolicies = v_uint8()
self.Reserved6 = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.ActiveConsoleId = v_uint32()
self.DismountCount = v_uint32()
self.ComPlusPackage = v_uint32()
self.LastSystemRITEventTickCount = v_uint32()
self.NumberOfPhysicalPages = v_uint32()
self.SafeBootMode = v_uint8()
self.Reserved12 = vstruct.VArray([ v_uint8() for i in xrange(3) ])
self.SharedDataFlags = v_uint32()
self.DataFlagsPad = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.TestRetInstruction = v_uint64()
self.QpcFrequency = v_uint64()
self.SystemCallPad = vstruct.VArray([ v_uint64() for i in xrange(3) ])
self.TickCount = KSYSTEM_TIME()
self.TickCountPad = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.Cookie = v_uint32()
self.CookiePad = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.ConsoleSessionForegroundProcessId = v_uint64()
self.TimeUpdateSequence = v_uint64()
self.BaselineSystemTimeQpc = v_uint64()
self.BaselineInterruptTimeQpc = v_uint64()
self.QpcSystemTimeIncrement = v_uint64()
self.QpcInterruptTimeIncrement = v_uint64()
self.QpcSystemTimeIncrement32 = v_uint32()
self.QpcInterruptTimeIncrement32 = v_uint32()
self.QpcSystemTimeIncrementShift = v_uint8()
self.QpcInterruptTimeIncrementShift = v_uint8()
self.Reserved8 = vstruct.VArray([ v_uint8() for i in xrange(14) ])
self.UserModeGlobalLogger = vstruct.VArray([ v_uint16() for i in xrange(16) ])
self.ImageFileExecutionOptions = v_uint32()
self.LangGenerationCount = v_uint32()
self.Reserved4 = v_uint64()
self.InterruptTimeBias = v_uint64()
self.TscQpcBias = v_uint64()
self.ActiveProcessorCount = v_uint32()
self.ActiveGroupCount = v_uint8()
self.Reserved9 = v_uint8()
self.TscQpcData = v_uint16()
self.TimeZoneBiasEffectiveStart = LARGE_INTEGER()
self.TimeZoneBiasEffectiveEnd = LARGE_INTEGER()
self.XState = XSTATE_CONFIGURATION()
class SYSTEM_POWER_STATE_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Reserved1 = v_uint32()
class SYNCH_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SpinLockAcquireCount = v_uint32()
self.SpinLockContentionCount = v_uint32()
self.SpinLockSpinCount = v_uint32()
self.IpiSendRequestBroadcastCount = v_uint32()
self.IpiSendRequestRoutineCount = v_uint32()
self.IpiSendSoftwareInterruptCount = v_uint32()
self.ExInitializeResourceCount = v_uint32()
self.ExReInitializeResourceCount = v_uint32()
self.ExDeleteResourceCount = v_uint32()
self.ExecutiveResourceAcquiresCount = v_uint32()
self.ExecutiveResourceContentionsCount = v_uint32()
self.ExecutiveResourceReleaseExclusiveCount = v_uint32()
self.ExecutiveResourceReleaseSharedCount = v_uint32()
self.ExecutiveResourceConvertsCount = v_uint32()
self.ExAcqResExclusiveAttempts = v_uint32()
self.ExAcqResExclusiveAcquiresExclusive = v_uint32()
self.ExAcqResExclusiveAcquiresExclusiveRecursive = v_uint32()
self.ExAcqResExclusiveWaits = v_uint32()
self.ExAcqResExclusiveNotAcquires = v_uint32()
self.ExAcqResSharedAttempts = v_uint32()
self.ExAcqResSharedAcquiresExclusive = v_uint32()
self.ExAcqResSharedAcquiresShared = v_uint32()
self.ExAcqResSharedAcquiresSharedRecursive = v_uint32()
self.ExAcqResSharedWaits = v_uint32()
self.ExAcqResSharedNotAcquires = v_uint32()
self.ExAcqResSharedStarveExclusiveAttempts = v_uint32()
self.ExAcqResSharedStarveExclusiveAcquiresExclusive = v_uint32()
self.ExAcqResSharedStarveExclusiveAcquiresShared = v_uint32()
self.ExAcqResSharedStarveExclusiveAcquiresSharedRecursive = v_uint32()
self.ExAcqResSharedStarveExclusiveWaits = v_uint32()
self.ExAcqResSharedStarveExclusiveNotAcquires = v_uint32()
self.ExAcqResSharedWaitForExclusiveAttempts = v_uint32()
self.ExAcqResSharedWaitForExclusiveAcquiresExclusive = v_uint32()
self.ExAcqResSharedWaitForExclusiveAcquiresShared = v_uint32()
self.ExAcqResSharedWaitForExclusiveAcquiresSharedRecursive = v_uint32()
self.ExAcqResSharedWaitForExclusiveWaits = v_uint32()
self.ExAcqResSharedWaitForExclusiveNotAcquires = v_uint32()
self.ExSetResOwnerPointerExclusive = v_uint32()
self.ExSetResOwnerPointerSharedNew = v_uint32()
self.ExSetResOwnerPointerSharedOld = v_uint32()
self.ExTryToAcqExclusiveAttempts = v_uint32()
self.ExTryToAcqExclusiveAcquires = v_uint32()
self.ExBoostExclusiveOwner = v_uint32()
self.ExBoostSharedOwners = v_uint32()
self.ExEtwSynchTrackingNotificationsCount = v_uint32()
self.ExEtwSynchTrackingNotificationsAccountedCount = v_uint32()
class KTM(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.cookie = v_uint32()
self.Mutex = KMUTANT()
self.State = v_uint32()
self.NamespaceLink = KTMOBJECT_NAMESPACE_LINK()
self.TmIdentity = GUID()
self.Flags = v_uint32()
self.VolatileFlags = v_uint32()
self.LogFileName = UNICODE_STRING()
self.LogFileObject = v_ptr32()
self.MarshallingContext = v_ptr32()
self.LogManagementContext = v_ptr32()
self.Transactions = KTMOBJECT_NAMESPACE()
self.ResourceManagers = KTMOBJECT_NAMESPACE()
self.LsnOrderedMutex = KMUTANT()
self.LsnOrderedList = LIST_ENTRY()
self.CommitVirtualClock = LARGE_INTEGER()
self.CommitVirtualClockMutex = FAST_MUTEX()
self.BaseLsn = CLS_LSN()
self.CurrentReadLsn = CLS_LSN()
self.LastRecoveredLsn = CLS_LSN()
self.TmRmHandle = v_ptr32()
self.TmRm = v_ptr32()
self.LogFullNotifyEvent = KEVENT()
self.CheckpointWorkItem = WORK_QUEUE_ITEM()
self.CheckpointTargetLsn = CLS_LSN()
self.LogFullCompletedWorkItem = WORK_QUEUE_ITEM()
self.LogWriteResource = ERESOURCE()
self.LogFlags = v_uint32()
self.LogFullStatus = v_uint32()
self.RecoveryStatus = v_uint32()
self._pad0218 = v_bytes(size=4)
self.LastCheckBaseLsn = CLS_LSN()
self.RestartOrderedList = LIST_ENTRY()
self.OfflineWorkItem = WORK_QUEUE_ITEM()
class PRIVATE_CACHE_MAP_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DontUse = v_uint32()
class VF_TARGET_VERIFIED_DRIVER_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SuspectDriverEntry = v_ptr32()
self.WMICallback = v_ptr32()
self.EtwHandlesListHead = LIST_ENTRY()
self.u1 = _unnamed_34363()
self.Signature = v_uint32()
self.PoolPageHeaders = SLIST_HEADER()
self.PoolTrackers = SLIST_HEADER()
self.CurrentPagedPoolAllocations = v_uint32()
self.CurrentNonPagedPoolAllocations = v_uint32()
self.PeakPagedPoolAllocations = v_uint32()
self.PeakNonPagedPoolAllocations = v_uint32()
self.PagedBytes = v_uint32()
self.NonPagedBytes = v_uint32()
self.PeakPagedBytes = v_uint32()
self.PeakNonPagedBytes = v_uint32()
self.RaiseIrqls = v_uint32()
self.AcquireSpinLocks = v_uint32()
self.SynchronizeExecutions = v_uint32()
self.AllocationsWithNoTag = v_uint32()
self.AllocationsFailed = v_uint32()
self.AllocationsFailedDeliberately = v_uint32()
self.LockedBytes = v_uint32()
self.PeakLockedBytes = v_uint32()
self.MappedLockedBytes = v_uint32()
self.PeakMappedLockedBytes = v_uint32()
self.MappedIoSpaceBytes = v_uint32()
self.PeakMappedIoSpaceBytes = v_uint32()
self.PagesForMdlBytes = v_uint32()
self.PeakPagesForMdlBytes = v_uint32()
self.ContiguousMemoryBytes = v_uint32()
self.PeakContiguousMemoryBytes = v_uint32()
self.ContiguousMemoryListHead = LIST_ENTRY()
class TEB64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NtTib = NT_TIB64()
self.EnvironmentPointer = v_uint64()
self.ClientId = CLIENT_ID64()
self.ActiveRpcHandle = v_uint64()
self.ThreadLocalStoragePointer = v_uint64()
self.ProcessEnvironmentBlock = v_uint64()
self.LastErrorValue = v_uint32()
self.CountOfOwnedCriticalSections = v_uint32()
self.CsrClientThread = v_uint64()
self.Win32ThreadInfo = v_uint64()
self.User32Reserved = vstruct.VArray([ v_uint32() for i in xrange(26) ])
self.UserReserved = vstruct.VArray([ v_uint32() for i in xrange(5) ])
self._pad0100 = v_bytes(size=4)
self.WOW32Reserved = v_uint64()
self.CurrentLocale = v_uint32()
self.FpSoftwareStatusRegister = v_uint32()
self.SystemReserved1 = vstruct.VArray([ v_uint64() for i in xrange(54) ])
self.ExceptionCode = v_uint32()
self._pad02c8 = v_bytes(size=4)
self.ActivationContextStackPointer = v_uint64()
self.SpareBytes = vstruct.VArray([ v_uint8() for i in xrange(24) ])
self.TxFsContext = v_uint32()
self._pad02f0 = v_bytes(size=4)
self.GdiTebBatch = GDI_TEB_BATCH64()
self.RealClientId = CLIENT_ID64()
self.GdiCachedProcessHandle = v_uint64()
self.GdiClientPID = v_uint32()
self.GdiClientTID = v_uint32()
self.GdiThreadLocalInfo = v_uint64()
self.Win32ClientInfo = vstruct.VArray([ v_uint64() for i in xrange(62) ])
self.glDispatchTable = vstruct.VArray([ v_uint64() for i in xrange(233) ])
self.glReserved1 = vstruct.VArray([ v_uint64() for i in xrange(29) ])
self.glReserved2 = v_uint64()
self.glSectionInfo = v_uint64()
self.glSection = v_uint64()
self.glTable = v_uint64()
self.glCurrentRC = v_uint64()
self.glContext = v_uint64()
self.LastStatusValue = v_uint32()
self._pad1258 = v_bytes(size=4)
self.StaticUnicodeString = STRING64()
self.StaticUnicodeBuffer = vstruct.VArray([ v_uint16() for i in xrange(261) ])
self._pad1478 = v_bytes(size=6)
self.DeallocationStack = v_uint64()
self.TlsSlots = vstruct.VArray([ v_uint64() for i in xrange(64) ])
self.TlsLinks = LIST_ENTRY64()
self.Vdm = v_uint64()
self.ReservedForNtRpc = v_uint64()
self.DbgSsReserved = vstruct.VArray([ v_uint64() for i in xrange(2) ])
self.HardErrorMode = v_uint32()
self._pad16b8 = v_bytes(size=4)
self.Instrumentation = vstruct.VArray([ v_uint64() for i in xrange(11) ])
self.ActivityId = GUID()
self.SubProcessTag = v_uint64()
self.PerflibData = v_uint64()
self.EtwTraceData = v_uint64()
self.WinSockData = v_uint64()
self.GdiBatchCount = v_uint32()
self.CurrentIdealProcessor = PROCESSOR_NUMBER()
self.GuaranteedStackBytes = v_uint32()
self._pad1750 = v_bytes(size=4)
self.ReservedForPerf = v_uint64()
self.ReservedForOle = v_uint64()
self.WaitingOnLoaderLock = v_uint32()
self._pad1768 = v_bytes(size=4)
self.SavedPriorityState = v_uint64()
self.ReservedForCodeCoverage = v_uint64()
self.ThreadPoolData = v_uint64()
self.TlsExpansionSlots = v_uint64()
self.DeallocationBStore = v_uint64()
self.BStoreLimit = v_uint64()
self.MuiGeneration = v_uint32()
self.IsImpersonating = v_uint32()
self.NlsCache = v_uint64()
self.pShimData = v_uint64()
self.HeapVirtualAffinity = v_uint16()
self.LowFragHeapDataSlot = v_uint16()
self._pad17b8 = v_bytes(size=4)
self.CurrentTransactionHandle = v_uint64()
self.ActiveFrame = v_uint64()
self.FlsData = v_uint64()
self.PreferredLanguages = v_uint64()
self.UserPrefLanguages = v_uint64()
self.MergedPrefLanguages = v_uint64()
self.MuiImpersonation = v_uint32()
self.CrossTebFlags = v_uint16()
self.SameTebFlags = v_uint16()
self.TxnScopeEnterCallback = v_uint64()
self.TxnScopeExitCallback = v_uint64()
self.TxnScopeContext = v_uint64()
self.LockCount = v_uint32()
self.SpareUlong0 = v_uint32()
self.ResourceRetValue = v_uint64()
self.ReservedForWdf = v_uint64()
class HANDLE_TRACE_DEBUG_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RefCount = v_uint32()
self.TableSize = v_uint32()
self.BitMaskFlags = v_uint32()
self.CloseCompactionLock = FAST_MUTEX()
self.CurrentStackIndex = v_uint32()
self.TraceDb = vstruct.VArray([ HANDLE_TRACE_DB_ENTRY() for i in xrange(1) ])
class HCELL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint32()
self.u = _unnamed_29247()
class CM_RESOURCE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.List = vstruct.VArray([ CM_FULL_RESOURCE_DESCRIPTOR() for i in xrange(1) ])
class WNF_STATE_NAME(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Data = vstruct.VArray([ v_uint32() for i in xrange(2) ])
class EPROCESS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Pcb = KPROCESS()
self.ProcessLock = EX_PUSH_LOCK()
self._pad00a8 = v_bytes(size=4)
self.CreateTime = LARGE_INTEGER()
self.RundownProtect = EX_RUNDOWN_REF()
self.UniqueProcessId = v_ptr32()
self.ActiveProcessLinks = LIST_ENTRY()
self.Flags2 = v_uint32()
self.Flags = v_uint32()
self.ProcessQuotaUsage = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.ProcessQuotaPeak = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.PeakVirtualSize = v_uint32()
self.VirtualSize = v_uint32()
self.SessionProcessLinks = LIST_ENTRY()
self.ExceptionPortData = v_ptr32()
self.Token = EX_FAST_REF()
self.WorkingSetPage = v_uint32()
self.AddressCreationLock = EX_PUSH_LOCK()
self.RotateInProgress = v_ptr32()
self.ForkInProgress = v_ptr32()
self.HardwareTrigger = v_uint32()
self.CommitChargeJob = v_ptr32()
self.CloneRoot = v_ptr32()
self.NumberOfPrivatePages = v_uint32()
self.NumberOfLockedPages = v_uint32()
self.Win32Process = v_ptr32()
self.Job = v_ptr32()
self.SectionObject = v_ptr32()
self.SectionBaseAddress = v_ptr32()
self.Cookie = v_uint32()
self.VdmObjects = v_ptr32()
self.WorkingSetWatch = v_ptr32()
self.Win32WindowStation = v_ptr32()
self.InheritedFromUniqueProcessId = v_ptr32()
self.LdtInformation = v_ptr32()
self.CreatorProcess = v_ptr32()
self.Peb = v_ptr32()
self.Session = v_ptr32()
self.AweInfo = v_ptr32()
self.QuotaBlock = v_ptr32()
self.ObjectTable = v_ptr32()
self.DebugPort = v_ptr32()
self.PaeTop = v_ptr32()
self.DeviceMap = v_ptr32()
self.EtwDataSource = v_ptr32()
self._pad0168 = v_bytes(size=4)
self.PageDirectoryPte = v_uint64()
self.ImageFileName = vstruct.VArray([ v_uint8() for i in xrange(15) ])
self.PriorityClass = v_uint8()
self.SecurityPort = v_ptr32()
self.SeAuditProcessCreationInfo = SE_AUDIT_PROCESS_CREATION_INFO()
self.JobLinks = LIST_ENTRY()
self.HighestUserAddress = v_ptr32()
self.ThreadListHead = LIST_ENTRY()
self.ActiveThreads = v_uint32()
self.ImagePathHash = v_uint32()
self.DefaultHardErrorProcessing = v_uint32()
self.LastThreadExitStatus = v_uint32()
self.PrefetchTrace = EX_FAST_REF()
self.LockedPagesList = v_ptr32()
self._pad01b8 = v_bytes(size=4)
self.ReadOperationCount = LARGE_INTEGER()
self.WriteOperationCount = LARGE_INTEGER()
self.OtherOperationCount = LARGE_INTEGER()
self.ReadTransferCount = LARGE_INTEGER()
self.WriteTransferCount = LARGE_INTEGER()
self.OtherTransferCount = LARGE_INTEGER()
self.CommitChargeLimit = v_uint32()
self.CommitCharge = v_uint32()
self.CommitChargePeak = v_uint32()
self.Vm = MMSUPPORT()
self.MmProcessLinks = LIST_ENTRY()
self.ModifiedPageCount = v_uint32()
self.ExitStatus = v_uint32()
self.VadRoot = MM_AVL_TABLE()
self.VadPhysicalPages = v_uint32()
self.VadPhysicalPagesLimit = v_uint32()
self.AlpcContext = ALPC_PROCESS_CONTEXT()
self.TimerResolutionLink = LIST_ENTRY()
self.TimerResolutionStackRecord = v_ptr32()
self.RequestedTimerResolution = v_uint32()
self.SmallestTimerResolution = v_uint32()
self.ExitTime = LARGE_INTEGER()
self.ActiveThreadsHighWatermark = v_uint32()
self.LargePrivateVadCount = v_uint32()
self.ThreadListLock = EX_PUSH_LOCK()
self.WnfContext = v_ptr32()
self.SectionMappingSize = v_uint32()
self.SignatureLevel = v_uint8()
self.SectionSignatureLevel = v_uint8()
self.SpareByte20 = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.KeepAliveCounter = v_uint32()
self.DiskCounters = v_ptr32()
self.LastFreezeInterruptTime = v_uint64()
class ALPC_PORT_ATTRIBUTES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.SecurityQos = SECURITY_QUALITY_OF_SERVICE()
self.MaxMessageLength = v_uint32()
self.MemoryBandwidth = v_uint32()
self.MaxPoolUsage = v_uint32()
self.MaxSectionSize = v_uint32()
self.MaxViewSize = v_uint32()
self.MaxTotalSectionSize = v_uint32()
self.DupObjectTypes = v_uint32()
class KSCHEDULING_GROUP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Value = v_uint16()
self.Type = v_uint8()
self.HardCap = v_uint8()
self.RelativeWeight = v_uint32()
self.QueryHistoryTimeStamp = v_uint64()
self.NotificationCycles = v_uint64()
self.SchedulingGroupList = LIST_ENTRY()
self.NotificationDpc = v_ptr32()
self._pad0040 = v_bytes(size=28)
self.PerProcessor = vstruct.VArray([ KSCB() for i in xrange(1) ])
self._pad0140 = v_bytes(size=48)
class _unnamed_28009(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Vpb = v_ptr32()
self.DeviceObject = v_ptr32()
class POWER_SEQUENCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SequenceD1 = v_uint32()
self.SequenceD2 = v_uint32()
self.SequenceD3 = v_uint32()
class EVENT_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EventHeader = EVENT_HEADER()
self.BufferContext = ETW_BUFFER_CONTEXT()
self.ExtendedDataCount = v_uint16()
self.UserDataLength = v_uint16()
self.ExtendedData = v_ptr32()
self.UserData = v_ptr32()
self.UserContext = v_ptr32()
self._pad0068 = v_bytes(size=4)
class IO_DRIVER_CREATE_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self._pad0004 = v_bytes(size=2)
self.ExtraCreateParameter = v_ptr32()
self.DeviceObjectHint = v_ptr32()
self.TxnParameters = v_ptr32()
class _unnamed_29247(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NewCell = _unnamed_34026()
class KTIMER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
self.DueTime = ULARGE_INTEGER()
self.TimerListEntry = LIST_ENTRY()
self.Dpc = v_ptr32()
self.Period = v_uint32()
class _unnamed_34689(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DataSize = v_uint32()
self.Reserved1 = v_uint32()
self.Reserved2 = v_uint32()
class HIVE_LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FileName = v_ptr32()
self.BaseName = v_ptr32()
self.RegRootName = v_ptr32()
self.CmHive = v_ptr32()
self.HHiveFlags = v_uint32()
self.CmHiveFlags = v_uint32()
self.CmKcbCacheSize = v_uint32()
self.CmHive2 = v_ptr32()
self.HiveMounted = v_uint8()
self.ThreadFinished = v_uint8()
self.ThreadStarted = v_uint8()
self.Allocate = v_uint8()
self.WinPERequired = v_uint8()
self._pad0028 = v_bytes(size=3)
self.StartEvent = KEVENT()
self.FinishedEvent = KEVENT()
self.MountLock = KEVENT()
class WHEA_ERROR_STATUS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ErrorStatus = v_uint64()
class CM_PARTIAL_RESOURCE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint8()
self.ShareDisposition = v_uint8()
self.Flags = v_uint16()
self.u = _unnamed_33994()
class RTLP_RANGE_LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = v_uint64()
self.End = v_uint64()
self.Allocated = _unnamed_35924()
self.Attributes = v_uint8()
self.PublicFlags = v_uint8()
self.PrivateFlags = v_uint16()
self.ListEntry = LIST_ENTRY()
self._pad0028 = v_bytes(size=4)
class EVENT_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Id = v_uint16()
self.Version = v_uint8()
self.Channel = v_uint8()
self.Level = v_uint8()
self.Opcode = v_uint8()
self.Task = v_uint16()
self.Keyword = v_uint64()
class WHEAP_ERROR_SOURCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.FailedAllocations = v_uint32()
self.PlatformErrorSourceId = v_uint32()
self.ErrorCount = v_uint32()
self.RecordCount = v_uint32()
self.RecordLength = v_uint32()
self.PoolTag = v_uint32()
self.Type = v_uint32()
self.Records = v_ptr32()
self.Context = v_ptr32()
self.SectionCount = v_uint32()
self.SectionLength = v_uint32()
self._pad0038 = v_bytes(size=4)
self.TickCountAtLastError = LARGE_INTEGER()
self.AccumulatedErrors = v_uint32()
self.TotalErrors = v_uint32()
self.Deferred = v_uint8()
self.Descriptor = WHEA_ERROR_SOURCE_DESCRIPTOR()
self._pad0418 = v_bytes(size=3)
class OBJECT_ATTRIBUTES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.RootDirectory = v_ptr32()
self.ObjectName = v_ptr32()
self.Attributes = v_uint32()
self.SecurityDescriptor = v_ptr32()
self.SecurityQualityOfService = v_ptr32()
class OBJECT_HEADER_AUDIT_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityDescriptor = v_ptr32()
self.Reserved = v_uint32()
class EVENT_HEADER_EXTENDED_DATA_ITEM(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Reserved1 = v_uint16()
self.ExtType = v_uint16()
self.Linkage = v_uint16()
self.DataSize = v_uint16()
self.DataPtr = v_uint64()
class _unnamed_29028(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NumberOfSystemCacheViews = v_uint32()
self.WritableUserReferences = v_uint32()
self.SubsectionRoot = v_ptr32()
class CM_FULL_RESOURCE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InterfaceType = v_uint32()
self.BusNumber = v_uint32()
self.PartialResourceList = CM_PARTIAL_RESOURCE_LIST()
class _unnamed_27833(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityContext = v_ptr32()
self.Options = v_uint32()
self.FileAttributes = v_uint16()
self.ShareAccess = v_uint16()
self.EaLength = v_uint32()
class DBGKD_CONTEXT_EX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Offset = v_uint32()
self.ByteCount = v_uint32()
self.BytesCopied = v_uint32()
class DBGKD_GET_VERSION64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MajorVersion = v_uint16()
self.MinorVersion = v_uint16()
self.ProtocolVersion = v_uint8()
self.KdSecondaryVersion = v_uint8()
self.Flags = v_uint16()
self.MachineType = v_uint16()
self.MaxPacketType = v_uint8()
self.MaxStateChange = v_uint8()
self.MaxManipulate = v_uint8()
self.Simulation = v_uint8()
self.Unused = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self.KernBase = v_uint64()
self.PsLoadedModuleList = v_uint64()
self.DebuggerDataList = v_uint64()
class POP_RW_LOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = EX_PUSH_LOCK()
self.Thread = v_ptr32()
class KTIMER_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TimerExpiry = vstruct.VArray([ v_ptr32() for i in xrange(16) ])
self.TimerEntries = vstruct.VArray([ KTIMER_TABLE_ENTRY() for i in xrange(256) ])
class PROC_IDLE_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PromotePercent = v_uint8()
self.DemotePercent = v_uint8()
self.PromotePercentBase = v_uint8()
self.DemotePercentBase = v_uint8()
self.AllowScaling = v_uint8()
class _unnamed_30828(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_30885()
class FAST_IO_DISPATCH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SizeOfFastIoDispatch = v_uint32()
self.FastIoCheckIfPossible = v_ptr32()
self.FastIoRead = v_ptr32()
self.FastIoWrite = v_ptr32()
self.FastIoQueryBasicInfo = v_ptr32()
self.FastIoQueryStandardInfo = v_ptr32()
self.FastIoLock = v_ptr32()
self.FastIoUnlockSingle = v_ptr32()
self.FastIoUnlockAll = v_ptr32()
self.FastIoUnlockAllByKey = v_ptr32()
self.FastIoDeviceControl = v_ptr32()
self.AcquireFileForNtCreateSection = v_ptr32()
self.ReleaseFileForNtCreateSection = v_ptr32()
self.FastIoDetachDevice = v_ptr32()
self.FastIoQueryNetworkOpenInfo = v_ptr32()
self.AcquireForModWrite = v_ptr32()
self.MdlRead = v_ptr32()
self.MdlReadComplete = v_ptr32()
self.PrepareMdlWrite = v_ptr32()
self.MdlWriteComplete = v_ptr32()
self.FastIoReadCompressed = v_ptr32()
self.FastIoWriteCompressed = v_ptr32()
self.MdlReadCompleteCompressed = v_ptr32()
self.MdlWriteCompleteCompressed = v_ptr32()
self.FastIoQueryOpen = v_ptr32()
self.ReleaseForModWrite = v_ptr32()
self.AcquireForCcFlush = v_ptr32()
self.ReleaseForCcFlush = v_ptr32()
class _unnamed_28142(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PowerState = v_uint32()
class SLIST_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Alignment = v_uint64()
class CM_KEY_CONTROL_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RefCount = v_uint32()
self.ExtFlags = v_uint32()
self.DelayedDeref = v_uint32()
self.KeyHash = CM_KEY_HASH()
self.KcbPushlock = EX_PUSH_LOCK()
self.Owner = v_ptr32()
self.SlotHint = v_uint32()
self.ParentKcb = v_ptr32()
self.NameBlock = v_ptr32()
self.CachedSecurity = v_ptr32()
self.ValueCache = CACHED_CHILD_LIST()
self.IndexHint = v_ptr32()
self.KeyBodyListHead = LIST_ENTRY()
self.KeyBodyArray = vstruct.VArray([ v_ptr32() for i in xrange(4) ])
self.KcbLastWriteTime = LARGE_INTEGER()
self.KcbMaxNameLen = v_uint16()
self.KcbMaxValueNameLen = v_uint16()
self.KcbMaxValueDataLen = v_uint32()
self.KcbUserFlags = v_uint32()
self.KCBUoWListHead = LIST_ENTRY()
self.DelayQueueEntry = LIST_ENTRY()
self.TransKCBOwner = v_ptr32()
self.KCBLock = CM_INTENT_LOCK()
self.KeyLock = CM_INTENT_LOCK()
self.TransValueCache = CHILD_LIST()
self.TransValueListOwner = v_ptr32()
self.FullKCBName = v_ptr32()
class MMPFNLIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Total = v_uint32()
self.ListName = v_uint32()
self.Flink = v_uint32()
self.Blink = v_uint32()
self.Lock = v_uint32()
class NB10(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Offset = v_uint32()
self.TimeStamp = v_uint32()
self.Age = v_uint32()
self.PdbName = vstruct.VArray([ v_uint8() for i in xrange(1) ])
self._pad0014 = v_bytes(size=3)
class RTL_DYNAMIC_HASH_TABLE_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ChainHead = v_ptr32()
self.PrevLinkage = v_ptr32()
self.Signature = v_uint32()
class MMWSL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FirstFree = v_uint32()
self.FirstDynamic = v_uint32()
self.LastEntry = v_uint32()
self.NextSlot = v_uint32()
self.LastInitializedWsle = v_uint32()
self.NextAgingSlot = v_uint32()
self.NextAccessClearingSlot = v_uint32()
self.LastAccessClearingRemainder = v_uint32()
self.LastAgingRemainder = v_uint32()
self.WsleSize = v_uint32()
self.NonDirectCount = v_uint32()
self.LowestPagableAddress = v_ptr32()
self.NonDirectHash = v_ptr32()
self.HashTableStart = v_ptr32()
self.HighestPermittedHashAddress = v_ptr32()
self.ActiveWsleCounts = vstruct.VArray([ v_uint32() for i in xrange(8) ])
self.ActiveWsles = vstruct.VArray([ MI_ACTIVE_WSLE() for i in xrange(8) ])
self.Wsle = v_ptr32()
self.UserVaInfo = MI_USER_VA_INFO()
class KTMOBJECT_NAMESPACE_LINK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Links = RTL_BALANCED_LINKS()
self.Expired = v_uint8()
self._pad0014 = v_bytes(size=3)
class MI_IMAGE_SECURITY_REFERENCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityContext = IMAGE_SECURITY_CONTEXT()
self.DynamicRelocations = v_ptr32()
class WHEA_MEMORY_ERROR_SECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ValidBits = WHEA_MEMORY_ERROR_SECTION_VALIDBITS()
self.ErrorStatus = WHEA_ERROR_STATUS()
self.PhysicalAddress = v_uint64()
self.PhysicalAddressMask = v_uint64()
self.Node = v_uint16()
self.Card = v_uint16()
self.Module = v_uint16()
self.Bank = v_uint16()
self.Device = v_uint16()
self.Row = v_uint16()
self.Column = v_uint16()
self.BitPosition = v_uint16()
self.RequesterId = v_uint64()
self.ResponderId = v_uint64()
self.TargetId = v_uint64()
self.ErrorType = v_uint8()
class DBGKD_CONTINUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ContinueStatus = v_uint32()
class PROC_IDLE_STATE_ACCOUNTING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TotalTime = v_uint64()
self.CancelCount = v_uint32()
self.FailureCount = v_uint32()
self.SuccessCount = v_uint32()
self.InvalidBucketIndex = v_uint32()
self.MinTime = v_uint64()
self.MaxTime = v_uint64()
self.IdleTimeBuckets = vstruct.VArray([ PROC_IDLE_STATE_BUCKET() for i in xrange(26) ])
class CALL_HASH_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.CallersAddress = v_ptr32()
self.CallersCaller = v_ptr32()
self.CallCount = v_uint32()
class MMSESSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SystemSpaceViewLock = FAST_MUTEX()
self.SystemSpaceViewLockPointer = v_ptr32()
self.SystemSpaceViewTable = v_ptr32()
self.SystemSpaceHashSize = v_uint32()
self.SystemSpaceHashEntries = v_uint32()
self.SystemSpaceHashKey = v_uint32()
self.BitmapFailures = v_uint32()
class WORK_QUEUE_ITEM(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.List = LIST_ENTRY()
self.WorkerRoutine = v_ptr32()
self.Parameter = v_ptr32()
class _unnamed_36838(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceNumber = v_uint32()
class _unnamed_32530(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BaseMid = v_uint8()
self.Flags1 = v_uint8()
self.Flags2 = v_uint8()
self.BaseHi = v_uint8()
class KSPECIAL_REGISTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Cr0 = v_uint32()
self.Cr2 = v_uint32()
self.Cr3 = v_uint32()
self.Cr4 = v_uint32()
self.KernelDr0 = v_uint32()
self.KernelDr1 = v_uint32()
self.KernelDr2 = v_uint32()
self.KernelDr3 = v_uint32()
self.KernelDr6 = v_uint32()
self.KernelDr7 = v_uint32()
self.Gdtr = DESCRIPTOR()
self.Idtr = DESCRIPTOR()
self.Tr = v_uint16()
self.Ldtr = v_uint16()
self.Xcr0 = v_uint64()
self.Reserved = vstruct.VArray([ v_uint32() for i in xrange(4) ])
class POWER_ACTION_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Action = v_uint32()
self.Flags = v_uint32()
self.EventCode = v_uint32()
class IMAGE_SECTION_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Name = vstruct.VArray([ v_uint8() for i in xrange(8) ])
self.Misc = _unnamed_34731()
self.VirtualAddress = v_uint32()
self.SizeOfRawData = v_uint32()
self.PointerToRawData = v_uint32()
self.PointerToRelocations = v_uint32()
self.PointerToLinenumbers = v_uint32()
self.NumberOfRelocations = v_uint16()
self.NumberOfLinenumbers = v_uint16()
self.Characteristics = v_uint32()
class _unnamed_32122(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FilePointerIndex = v_uint32()
class _unnamed_32123(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FilePointerIndex = v_uint32()
class DBGKM_EXCEPTION64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionRecord = EXCEPTION_RECORD64()
self.FirstChance = v_uint32()
self._pad00a0 = v_bytes(size=4)
class _unnamed_29796(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NextResourceDeviceNode = v_ptr32()
class _unnamed_29795(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LegacyDeviceNode = v_ptr32()
class XSAVE_FORMAT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlWord = v_uint16()
self.StatusWord = v_uint16()
self.TagWord = v_uint8()
self.Reserved1 = v_uint8()
self.ErrorOpcode = v_uint16()
self.ErrorOffset = v_uint32()
self.ErrorSelector = v_uint16()
self.Reserved2 = v_uint16()
self.DataOffset = v_uint32()
self.DataSelector = v_uint16()
self.Reserved3 = v_uint16()
self.MxCsr = v_uint32()
self.MxCsr_Mask = v_uint32()
self.FloatRegisters = vstruct.VArray([ M128A() for i in xrange(8) ])
self.XmmRegisters = vstruct.VArray([ M128A() for i in xrange(8) ])
self.Reserved4 = vstruct.VArray([ v_uint8() for i in xrange(220) ])
self.Cr0NpxState = v_uint32()
class KSYSTEM_TIME(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.High1Time = v_uint32()
self.High2Time = v_uint32()
class SEGMENT_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TotalNumberOfPtes4132 = v_uint16()
self.FloppyMedia = v_uint8()
self.ILOnly = v_uint8()
class PO_DEVICE_NOTIFY_ORDER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Locked = v_uint8()
self._pad0004 = v_bytes(size=3)
self.WarmEjectPdoPointer = v_ptr32()
self.OrderLevel = vstruct.VArray([ PO_NOTIFY_ORDER_LEVEL() for i in xrange(5) ])
class PROCESSOR_IDLE_CONSTRAINTS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TotalTime = v_uint64()
self.IdleTime = v_uint64()
self.ExpectedIdleDuration = v_uint64()
self.MaxIdleDuration = v_uint32()
self.OverrideState = v_uint32()
self.TimeCheck = v_uint32()
self.PromotePercent = v_uint8()
self.DemotePercent = v_uint8()
self.Parked = v_uint8()
self.Interruptible = v_uint8()
self.PlatformIdle = v_uint8()
self._pad0030 = v_bytes(size=7)
class FLOATING_SAVE_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlWord = v_uint32()
self.StatusWord = v_uint32()
self.TagWord = v_uint32()
self.ErrorOffset = v_uint32()
self.ErrorSelector = v_uint32()
self.DataOffset = v_uint32()
self.DataSelector = v_uint32()
self.RegisterArea = vstruct.VArray([ v_uint8() for i in xrange(80) ])
self.Cr0NpxState = v_uint32()
class POP_FX_PROVIDER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Index = v_uint32()
self.Activating = v_uint8()
self._pad0008 = v_bytes(size=3)
class KQUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
self.EntryListHead = LIST_ENTRY()
self.CurrentCount = v_uint32()
self.MaximumCount = v_uint32()
self.ThreadListHead = LIST_ENTRY()
class DEVICE_DESCRIPTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Version = v_uint32()
self.Master = v_uint8()
self.ScatterGather = v_uint8()
self.DemandMode = v_uint8()
self.AutoInitialize = v_uint8()
self.Dma32BitAddresses = v_uint8()
self.IgnoreCount = v_uint8()
self.Reserved1 = v_uint8()
self.Dma64BitAddresses = v_uint8()
self.BusNumber = v_uint32()
self.DmaChannel = v_uint32()
self.InterfaceType = v_uint32()
self.DmaWidth = v_uint32()
self.DmaSpeed = v_uint32()
self.MaximumLength = v_uint32()
self.DmaPort = v_uint32()
self.DmaAddressWidth = v_uint32()
self.DmaControllerInstance = v_uint32()
self.DmaRequestLine = v_uint32()
self._pad0038 = v_bytes(size=4)
self.DeviceAddress = LARGE_INTEGER()
class _unnamed_29151(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Space = v_uint32()
self.MapPoint = v_uint32()
self.BinPoint = v_ptr32()
class _unnamed_29150(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.List = v_ptr32()
self.Index = v_uint32()
self.Cell = v_uint32()
self.CellPoint = v_ptr32()
class _unnamed_29153(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FileOffset = v_uint32()
class _unnamed_29152(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Bin = v_ptr32()
self.CellPoint = v_ptr32()
class SEGMENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlArea = v_ptr32()
self.TotalNumberOfPtes = v_uint32()
self.SegmentFlags = SEGMENT_FLAGS()
self.NumberOfCommittedPages = v_uint32()
self.SizeOfSegment = v_uint64()
self.ExtendInfo = v_ptr32()
self.SegmentLock = EX_PUSH_LOCK()
self.u1 = _unnamed_28990()
self.u2 = _unnamed_28991()
self.PrototypePte = v_ptr32()
self._pad0030 = v_bytes(size=4)
class _unnamed_37222(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.CheckSum = v_uint32()
class LUID_AND_ATTRIBUTES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Luid = LUID()
self.Attributes = v_uint32()
class _unnamed_37225(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DiskId = GUID()
class iobuf(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ptr = v_ptr32()
self.cnt = v_uint32()
self.base = v_ptr32()
self.flag = v_uint32()
self.file = v_uint32()
self.charbuf = v_uint32()
self.bufsiz = v_uint32()
self.tmpfname = v_ptr32()
class PCW_CALLBACK_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AddCounter = PCW_COUNTER_INFORMATION()
self._pad0020 = v_bytes(size=16)
class PCW_COUNTER_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Id = v_uint16()
self.StructIndex = v_uint16()
self.Offset = v_uint16()
self.Size = v_uint16()
class MMMOD_WRITER_MDL_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Links = LIST_ENTRY()
self.u = _unnamed_29100()
self.Irp = v_ptr32()
self.u1 = MODWRITER_FLAGS()
self.ByteCount = v_uint32()
self.PagingFile = v_ptr32()
self.File = v_ptr32()
self.ControlArea = v_ptr32()
self.FileResource = v_ptr32()
self._pad0030 = v_bytes(size=4)
self.WriteOffset = LARGE_INTEGER()
self.IssueTime = LARGE_INTEGER()
self.PointerMdl = v_ptr32()
self.Mdl = MDL()
self.Page = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self._pad0068 = v_bytes(size=4)
class CACHED_CHILD_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.ValueList = v_uint32()
class PCW_MASK_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CounterMask = v_uint64()
self.InstanceMask = v_ptr32()
self.InstanceId = v_uint32()
self.CollectMultiple = v_uint8()
self._pad0014 = v_bytes(size=3)
self.Buffer = v_ptr32()
self.CancelEvent = v_ptr32()
self._pad0020 = v_bytes(size=4)
class KTHREAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
self.SListFaultAddress = v_ptr32()
self._pad0018 = v_bytes(size=4)
self.QuantumTarget = v_uint64()
self.InitialStack = v_ptr32()
self.StackLimit = v_ptr32()
self.StackBase = v_ptr32()
self.ThreadLock = v_uint32()
self.CycleTime = v_uint64()
self.HighCycleTime = v_uint32()
self.ServiceTable = v_ptr32()
self.CurrentRunTime = v_uint32()
self.ExpectedRunTime = v_uint32()
self.KernelStack = v_ptr32()
self.StateSaveArea = v_ptr32()
self.SchedulingGroup = v_ptr32()
self.WaitRegister = KWAIT_STATUS_REGISTER()
self.Running = v_uint8()
self.Alerted = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.KernelStackResident = v_uint32()
self.AutoAlignment = v_uint32()
self.Spare0 = v_uint32()
self.SystemCallNumber = v_uint32()
self.FirstArgument = v_ptr32()
self.TrapFrame = v_ptr32()
self.ApcState = KAPC_STATE()
self.UserIdealProcessor = v_uint32()
self.ContextSwitches = v_uint32()
self.State = v_uint8()
self.NpxState = v_uint8()
self.WaitIrql = v_uint8()
self.WaitMode = v_uint8()
self.WaitStatus = v_uint32()
self.WaitBlockList = v_ptr32()
self.WaitListEntry = LIST_ENTRY()
self.Queue = v_ptr32()
self.Teb = v_ptr32()
self._pad00b0 = v_bytes(size=4)
self.RelativeTimerBias = v_uint64()
self.Timer = KTIMER()
self.WaitBlock = vstruct.VArray([ KWAIT_BLOCK() for i in xrange(4) ])
self.QueueListEntry = LIST_ENTRY()
self.NextProcessor = v_uint32()
self.DeferredProcessor = v_uint32()
self.Process = v_ptr32()
self.UserAffinity = GROUP_AFFINITY()
self.Affinity = GROUP_AFFINITY()
self.ApcStatePointer = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self.SavedApcState = KAPC_STATE()
self.SuspendCount = v_uint8()
self.Saturation = v_uint8()
self.SListFaultCount = v_uint16()
self.SchedulerApc = KAPC()
self.UserTime = v_uint32()
self.SuspendEvent = KEVENT()
self.ThreadListEntry = LIST_ENTRY()
self.MutantListHead = LIST_ENTRY()
self._pad01e8 = v_bytes(size=4)
class _unnamed_34124(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length40 = v_uint32()
self.Alignment40 = v_uint32()
self.MinimumAddress = LARGE_INTEGER()
self.MaximumAddress = LARGE_INTEGER()
class _unnamed_34120(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Priority = v_uint32()
self.Reserved1 = v_uint32()
self.Reserved2 = v_uint32()
class ALPC_PORT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PortListEntry = LIST_ENTRY()
self.CommunicationInfo = v_ptr32()
self.OwnerProcess = v_ptr32()
self.CompletionPort = v_ptr32()
self.CompletionKey = v_ptr32()
self.CompletionPacketLookaside = v_ptr32()
self.PortContext = v_ptr32()
self.StaticSecurity = SECURITY_CLIENT_CONTEXT()
self.IncomingQueueLock = EX_PUSH_LOCK()
self.MainQueue = LIST_ENTRY()
self.LargeMessageQueue = LIST_ENTRY()
self.PendingQueueLock = EX_PUSH_LOCK()
self.PendingQueue = LIST_ENTRY()
self.WaitQueueLock = EX_PUSH_LOCK()
self.WaitQueue = LIST_ENTRY()
self.Semaphore = v_ptr32()
self.PortAttributes = ALPC_PORT_ATTRIBUTES()
self.ResourceListLock = EX_PUSH_LOCK()
self.ResourceListHead = LIST_ENTRY()
self.PortObjectLock = EX_PUSH_LOCK()
self.CompletionList = v_ptr32()
self.MessageZone = v_ptr32()
self.CallbackObject = v_ptr32()
self.CallbackContext = v_ptr32()
self.CanceledQueue = LIST_ENTRY()
self.SequenceNo = v_uint32()
self.u1 = _unnamed_30882()
self.TargetQueuePort = v_ptr32()
self.TargetSequencePort = v_ptr32()
self.CachedMessage = v_ptr32()
self.MainQueueLength = v_uint32()
self.LargeMessageQueueLength = v_uint32()
self.PendingQueueLength = v_uint32()
self.CanceledQueueLength = v_uint32()
self.WaitQueueLength = v_uint32()
class WHEAP_ERROR_RECORD_WRAPPER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkEntry = LIST_ENTRY()
self.Length = v_uint32()
self.ProcessorNumber = v_uint32()
self.Flags = WHEAP_ERROR_RECORD_WRAPPER_FLAGS()
self.InUse = v_uint32()
self.ErrorSource = v_ptr32()
self.ErrorRecord = WHEA_ERROR_RECORD()
class ADAPTER_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class _unnamed_34658(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = LARGE_INTEGER()
self.Length = v_uint32()
class _unnamed_34129(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length48 = v_uint32()
self.Alignment48 = v_uint32()
self.MinimumAddress = LARGE_INTEGER()
self.MaximumAddress = LARGE_INTEGER()
class _unnamed_28175(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SystemContext = v_uint32()
self.Type = v_uint32()
self.State = POWER_STATE()
self.ShutdownType = v_uint32()
class CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ContextFlags = v_uint32()
self.Dr0 = v_uint32()
self.Dr1 = v_uint32()
self.Dr2 = v_uint32()
self.Dr3 = v_uint32()
self.Dr6 = v_uint32()
self.Dr7 = v_uint32()
self.FloatSave = FLOATING_SAVE_AREA()
self.SegGs = v_uint32()
self.SegFs = v_uint32()
self.SegEs = v_uint32()
self.SegDs = v_uint32()
self.Edi = v_uint32()
self.Esi = v_uint32()
self.Ebx = v_uint32()
self.Edx = v_uint32()
self.Ecx = v_uint32()
self.Eax = v_uint32()
self.Ebp = v_uint32()
self.Eip = v_uint32()
self.SegCs = v_uint32()
self.EFlags = v_uint32()
self.Esp = v_uint32()
self.SegSs = v_uint32()
self.ExtendedRegisters = vstruct.VArray([ v_uint8() for i in xrange(512) ])
class _unnamed_34088(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.Alignment = v_uint32()
self.MinimumAddress = LARGE_INTEGER()
self.MaximumAddress = LARGE_INTEGER()
class VF_TARGET_DRIVER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TreeNode = VF_AVL_TREE_NODE()
self.u1 = _unnamed_34312()
self.VerifiedData = v_ptr32()
class DBGKD_GET_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Unused = v_uint32()
class VACB_LEVEL_ALLOCATION_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VacbLevelList = LIST_ENTRY()
self.VacbLevelWithBcbListHeads = v_ptr32()
self.VacbLevelsAllocated = v_uint32()
class KTRANSACTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OutcomeEvent = KEVENT()
self.cookie = v_uint32()
self.Mutex = KMUTANT()
self.TreeTx = v_ptr32()
self.GlobalNamespaceLink = KTMOBJECT_NAMESPACE_LINK()
self.TmNamespaceLink = KTMOBJECT_NAMESPACE_LINK()
self.UOW = GUID()
self.State = v_uint32()
self.Flags = v_uint32()
self.EnlistmentHead = LIST_ENTRY()
self.EnlistmentCount = v_uint32()
self.RecoverableEnlistmentCount = v_uint32()
self.PrePrepareRequiredEnlistmentCount = v_uint32()
self.PrepareRequiredEnlistmentCount = v_uint32()
self.OutcomeRequiredEnlistmentCount = v_uint32()
self.PendingResponses = v_uint32()
self.SuperiorEnlistment = v_ptr32()
self._pad00a0 = v_bytes(size=4)
self.LastLsn = CLS_LSN()
self.PromotedEntry = LIST_ENTRY()
self.PromoterTransaction = v_ptr32()
self.PromotePropagation = v_ptr32()
self.IsolationLevel = v_uint32()
self.IsolationFlags = v_uint32()
self.Timeout = LARGE_INTEGER()
self.Description = UNICODE_STRING()
self.RollbackThread = v_ptr32()
self.RollbackWorkItem = WORK_QUEUE_ITEM()
self.RollbackDpc = KDPC()
self._pad0108 = v_bytes(size=4)
self.RollbackTimer = KTIMER()
self.LsnOrderedEntry = LIST_ENTRY()
self.Outcome = v_uint32()
self.Tm = v_ptr32()
self.CommitReservation = v_uint64()
self.TransactionHistory = vstruct.VArray([ KTRANSACTION_HISTORY() for i in xrange(10) ])
self.TransactionHistoryCount = v_uint32()
self.DTCPrivateInformation = v_ptr32()
self.DTCPrivateInformationLength = v_uint32()
self.DTCPrivateInformationMutex = KMUTANT()
self.PromotedTxSelfHandle = v_ptr32()
self.PendingPromotionCount = v_uint32()
self.PromotionCompletedEvent = KEVENT()
self._pad01e0 = v_bytes(size=4)
class GENERIC_MAPPING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.GenericRead = v_uint32()
self.GenericWrite = v_uint32()
self.GenericExecute = v_uint32()
self.GenericAll = v_uint32()
class _unnamed_31111(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.QueueType = v_uint32()
class DEVICE_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Sibling = v_ptr32()
self.Child = v_ptr32()
self.Parent = v_ptr32()
self.LastChild = v_ptr32()
self.PhysicalDeviceObject = v_ptr32()
self.InstancePath = UNICODE_STRING()
self.ServiceName = UNICODE_STRING()
self.PendingIrp = v_ptr32()
self.Level = v_uint32()
self.CurrentPowerState = POWER_STATE()
self.Notify = PO_DEVICE_NOTIFY()
self.PoIrpManager = PO_IRP_MANAGER()
self.FxDevice = v_ptr32()
self.FxDeviceLock = v_uint32()
self.FxRemoveEvent = KEVENT()
self.FxActivationCount = v_uint32()
self.FxSleepCount = v_uint32()
self.Plugin = v_ptr32()
self.UniqueId = UNICODE_STRING()
self.PowerFlags = v_uint32()
self.State = v_uint32()
self.PreviousState = v_uint32()
self.StateHistory = vstruct.VArray([ PNP_DEVNODE_STATE() for i in xrange(20) ])
self.StateHistoryEntry = v_uint32()
self.CompletionStatus = v_uint32()
self.Flags = v_uint32()
self.UserFlags = v_uint32()
self.Problem = v_uint32()
self.ProblemStatus = v_uint32()
self.ResourceList = v_ptr32()
self.ResourceListTranslated = v_ptr32()
self.DuplicatePDO = v_ptr32()
self.ResourceRequirements = v_ptr32()
self.InterfaceType = v_uint32()
self.BusNumber = v_uint32()
self.ChildInterfaceType = v_uint32()
self.ChildBusNumber = v_uint32()
self.ChildBusTypeIndex = v_uint16()
self.RemovalPolicy = v_uint8()
self.HardwareRemovalPolicy = v_uint8()
self.TargetDeviceNotify = LIST_ENTRY()
self.DeviceArbiterList = LIST_ENTRY()
self.DeviceTranslatorList = LIST_ENTRY()
self.NoTranslatorMask = v_uint16()
self.QueryTranslatorMask = v_uint16()
self.NoArbiterMask = v_uint16()
self.QueryArbiterMask = v_uint16()
self.OverUsed1 = _unnamed_29795()
self.OverUsed2 = _unnamed_29796()
self.BootResources = v_ptr32()
self.BootResourcesTranslated = v_ptr32()
self.CapabilityFlags = v_uint32()
self.DockInfo = _unnamed_29797()
self.DisableableDepends = v_uint32()
self.PendedSetInterfaceState = LIST_ENTRY()
self.LegacyBusListEntry = LIST_ENTRY()
self.DriverUnloadRetryCount = v_uint32()
self.PreviousParent = v_ptr32()
self.DeletedChildren = v_uint32()
self.NumaNodeIndex = v_uint32()
self.ContainerID = GUID()
self.OverrideFlags = v_uint8()
self._pad01bc = v_bytes(size=3)
self.DeviceIdsHash = v_uint32()
self.RequiresUnloadedDriver = v_uint8()
self._pad01c4 = v_bytes(size=3)
self.PendingEjectRelations = v_ptr32()
self.StateFlags = v_uint32()
class KALPC_MESSAGE_ATTRIBUTES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ClientContext = v_ptr32()
self.ServerContext = v_ptr32()
self.PortContext = v_ptr32()
self.CancelPortContext = v_ptr32()
self.SecurityData = v_ptr32()
self.View = v_ptr32()
self.HandleData = v_ptr32()
class PPC_DBGKD_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Continue = v_uint32()
self.CurrentSymbolStart = v_uint32()
self.CurrentSymbolEnd = v_uint32()
class _unnamed_31033(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_31111()
class PROC_PERF_LOAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BusyPercentage = v_uint8()
self.FrequencyPercentage = v_uint8()
class AUX_ACCESS_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PrivilegesUsed = v_ptr32()
self.GenericMapping = GENERIC_MAPPING()
self.AccessesToAudit = v_uint32()
self.MaximumAuditMask = v_uint32()
self.TransactionId = GUID()
self.NewSecurityDescriptor = v_ptr32()
self.ExistingSecurityDescriptor = v_ptr32()
self.ParentSecurityDescriptor = v_ptr32()
self.DeRefSecurityDescriptor = v_ptr32()
self.SDLock = v_ptr32()
self.AccessReasons = ACCESS_REASONS()
self.GenerateStagingEvents = v_uint8()
self._pad00c4 = v_bytes(size=3)
class SE_AUDIT_PROCESS_CREATION_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ImageFileName = v_ptr32()
class IO_RESOURCE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Version = v_uint16()
self.Revision = v_uint16()
self.Count = v_uint32()
self.Descriptors = vstruct.VArray([ IO_RESOURCE_DESCRIPTOR() for i in xrange(1) ])
class STACK_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NumStackTraces = v_uint16()
self.TraceCapacity = v_uint16()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(16) ])
self.StackTableHash = vstruct.VArray([ v_uint16() for i in xrange(16381) ])
self._pad8040 = v_bytes(size=2)
class _unnamed_27934(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.FileName = v_ptr32()
self.FileInformationClass = v_uint32()
self.FileIndex = v_uint32()
class _unnamed_37086(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ImagePteOffset = v_uint32()
class _unnamed_37087(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.e1 = MMINPAGE_FLAGS()
class OBJECT_HEADER_HANDLE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HandleCountDataBase = v_ptr32()
self._pad0008 = v_bytes(size=4)
class ETW_LOGGER_HANDLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DereferenceAndLeave = v_uint8()
class IMAGE_ROM_OPTIONAL_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Magic = v_uint16()
self.MajorLinkerVersion = v_uint8()
self.MinorLinkerVersion = v_uint8()
self.SizeOfCode = v_uint32()
self.SizeOfInitializedData = v_uint32()
self.SizeOfUninitializedData = v_uint32()
self.AddressOfEntryPoint = v_uint32()
self.BaseOfCode = v_uint32()
self.BaseOfData = v_uint32()
self.BaseOfBss = v_uint32()
self.GprMask = v_uint32()
self.CprMask = vstruct.VArray([ v_uint32() for i in xrange(4) ])
self.GpValue = v_uint32()
class POP_FX_PLUGIN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.Version = v_uint32()
self._pad0010 = v_bytes(size=4)
self.Flags = v_uint64()
self.WorkOrder = POP_FX_WORK_ORDER()
self.WorkQueue = KQUEUE()
self.AcceptDeviceNotification = v_ptr32()
self.AcceptProcessorNotification = v_ptr32()
self._pad0060 = v_bytes(size=4)
class _unnamed_27993(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityInformation = v_uint32()
self.Length = v_uint32()
class HEAP_FREE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Flags = v_uint8()
self.SmallTagIndex = v_uint8()
self.PreviousSize = v_uint16()
self.SegmentOffset = v_uint8()
self.UnusedBytes = v_uint8()
self.FreeList = LIST_ENTRY()
class LOGGED_STREAM_CALLBACK_V1(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LogHandle = v_ptr32()
self.FlushToLsnRoutine = v_ptr32()
class MI_PTE_CHAIN_HEAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flink = MMPTE()
self.Blink = MMPTE()
self.PteBase = v_ptr32()
self._pad0018 = v_bytes(size=4)
class _unnamed_27996(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityInformation = v_uint32()
self.SecurityDescriptor = v_ptr32()
class POOL_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PoolType = v_uint32()
self.PagedLock = FAST_MUTEX()
self._pad0040 = v_bytes(size=28)
self.RunningAllocs = v_uint32()
self.RunningDeAllocs = v_uint32()
self.TotalBigPages = v_uint32()
self.ThreadsProcessingDeferrals = v_uint32()
self.TotalBytes = v_uint32()
self._pad0080 = v_bytes(size=44)
self.PoolIndex = v_uint32()
self._pad00c0 = v_bytes(size=60)
self.TotalPages = v_uint32()
self._pad0100 = v_bytes(size=60)
self.PendingFrees = SINGLE_LIST_ENTRY()
self.PendingFreeDepth = v_uint32()
self._pad0140 = v_bytes(size=56)
self.ListHeads = vstruct.VArray([ LIST_ENTRY() for i in xrange(512) ])
class OBJECT_REF_STACK_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Sequence = v_uint32()
self.Index = v_uint16()
self.NumTraces = v_uint16()
self.Tag = v_uint32()
class PF_KERNEL_GLOBALS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AccessBufferAgeThreshold = v_uint64()
self.AccessBufferRef = EX_RUNDOWN_REF()
self.AccessBufferExistsEvent = KEVENT()
self.AccessBufferMax = v_uint32()
self.AccessBufferList = SLIST_HEADER()
self.StreamSequenceNumber = v_uint32()
self.Flags = v_uint32()
self.ScenarioPrefetchCount = v_uint32()
self._pad0040 = v_bytes(size=12)
class _unnamed_34113(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Data = vstruct.VArray([ v_uint32() for i in xrange(3) ])
class GDI_TEB_BATCH64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Offset = v_uint32()
self._pad0008 = v_bytes(size=4)
self.HDC = v_uint64()
self.Buffer = vstruct.VArray([ v_uint32() for i in xrange(310) ])
class DBGKD_READ_MEMORY64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TargetBaseAddress = v_uint64()
self.TransferCount = v_uint32()
self.ActualBytesRead = v_uint32()
class MI_SYSTEM_PTE_TYPE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Bitmap = RTL_BITMAP()
self.Flags = v_uint32()
self.Hint = v_uint32()
self.BasePte = v_ptr32()
self.FailureCount = v_ptr32()
self.Vm = v_ptr32()
self.TotalSystemPtes = v_uint32()
self.TotalFreeSystemPtes = v_uint32()
self.CachedPteCount = v_uint32()
self.PteFailures = v_uint32()
self.SpinLock = v_uint32()
self.CachedPtes = v_ptr32()
class MMPTE_HIGHLOW(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.HighPart = v_uint32()
class PO_MEMORY_IMAGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.ImageType = v_uint32()
self.CheckSum = v_uint32()
self.LengthSelf = v_uint32()
self.PageSelf = v_uint32()
self.PageSize = v_uint32()
self.SystemTime = LARGE_INTEGER()
self.InterruptTime = v_uint64()
self.FeatureFlags = v_uint32()
self.HiberFlags = v_uint8()
self.spare = vstruct.VArray([ v_uint8() for i in xrange(3) ])
self.NoHiberPtes = v_uint32()
self.HiberVa = v_uint32()
self.NoFreePages = v_uint32()
self.FreeMapCheck = v_uint32()
self.WakeCheck = v_uint32()
self._pad0048 = v_bytes(size=4)
self.NumPagesForLoader = v_uint64()
self.FirstBootRestorePage = v_uint32()
self.FirstKernelRestorePage = v_uint32()
self.PerfInfo = PO_HIBER_PERF()
self.FirmwareRuntimeInformationPages = v_uint32()
self.FirmwareRuntimeInformation = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.SiLogOffset = v_uint32()
self.NoBootLoaderLogPages = v_uint32()
self.BootLoaderLogPages = vstruct.VArray([ v_uint32() for i in xrange(24) ])
self.NotUsed = v_uint32()
self.ResumeContextCheck = v_uint32()
self.ResumeContextPages = v_uint32()
self.Hiberboot = v_uint8()
self._pad0280 = v_bytes(size=3)
self.HvCr3 = v_uint64()
self.HvEntryPoint = v_uint64()
self.HvReservedTransitionAddress = v_uint64()
self.HvReservedTransitionAddressSize = v_uint64()
self.BootFlags = v_uint64()
self.HalEntryPointPhysical = v_uint64()
self.HighestPhysicalPage = v_uint32()
self.BitlockerKeyPfns = vstruct.VArray([ v_uint32() for i in xrange(4) ])
self.HardwareSignature = v_uint32()
class LOOKASIDE_LIST_EX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.L = GENERAL_LOOKASIDE_POOL()
class ETHREAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Tcb = KTHREAD()
self.CreateTime = LARGE_INTEGER()
self.ExitTime = LARGE_INTEGER()
self.ChargeOnlySession = v_ptr32()
self.PostBlockList = LIST_ENTRY()
self.TerminationPort = v_ptr32()
self.ActiveTimerListLock = v_uint32()
self.ActiveTimerListHead = LIST_ENTRY()
self.Cid = CLIENT_ID()
self.KeyedWaitSemaphore = KSEMAPHORE()
self.ClientSecurity = PS_CLIENT_SECURITY_CONTEXT()
self.IrpList = LIST_ENTRY()
self.TopLevelIrp = v_uint32()
self.DeviceToVerify = v_ptr32()
self.Win32StartAddress = v_ptr32()
self.LegacyPowerObject = v_ptr32()
self.ThreadListEntry = LIST_ENTRY()
self.RundownProtect = EX_RUNDOWN_REF()
self.ThreadLock = EX_PUSH_LOCK()
self.ReadClusterSize = v_uint32()
self.MmLockOrdering = v_uint32()
self.CmLockOrdering = v_uint32()
self.CrossThreadFlags = v_uint32()
self.SameThreadPassiveFlags = v_uint32()
self.SameThreadApcFlags = v_uint32()
self.CacheManagerActive = v_uint8()
self.DisablePageFaultClustering = v_uint8()
self.ActiveFaultCount = v_uint8()
self.LockOrderState = v_uint8()
self.AlpcMessageId = v_uint32()
self.AlpcMessage = v_ptr32()
self.ExitStatus = v_uint32()
self.AlpcWaitListEntry = LIST_ENTRY()
self.CacheManagerCount = v_uint32()
self.IoBoostCount = v_uint32()
self.BoostList = LIST_ENTRY()
self.DeboostList = LIST_ENTRY()
self.BoostListLock = v_uint32()
self.IrpListLock = v_uint32()
self.ReservedForSynchTracking = v_ptr32()
self.CmCallbackListHead = SINGLE_LIST_ENTRY()
self.ActivityId = v_ptr32()
self.WnfContext = v_ptr32()
self.SeLearningModeListHead = SINGLE_LIST_ENTRY()
self.KernelStackReference = v_uint32()
self._pad02c8 = v_bytes(size=4)
class EVENT_DATA_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Ptr = v_uint64()
self.Size = v_uint32()
self.Reserved = v_uint32()
class TOKEN_AUDIT_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PerUserPolicy = vstruct.VArray([ v_uint8() for i in xrange(29) ])
class HHIVE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.GetCellRoutine = v_ptr32()
self.Allocate = v_ptr32()
self.Free = v_ptr32()
self.FileWrite = v_ptr32()
self.FileRead = v_ptr32()
self.HiveLoadFailure = v_ptr32()
self.BaseBlock = v_ptr32()
self.DirtyVector = RTL_BITMAP()
self.DirtyCount = v_uint32()
self.DirtyAlloc = v_uint32()
self.BaseBlockAlloc = v_uint32()
self.Cluster = v_uint32()
self.Flat = v_uint8()
self.ReadOnly = v_uint8()
self.DirtyFlag = v_uint8()
self._pad003c = v_bytes(size=1)
self.HvBinHeadersUse = v_uint32()
self.HvFreeCellsUse = v_uint32()
self.HvUsedCellsUse = v_uint32()
self.CmUsedCellsUse = v_uint32()
self.HiveFlags = v_uint32()
self.CurrentLog = v_uint32()
self.LogSize = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.RefreshCount = v_uint32()
self.StorageTypeCount = v_uint32()
self.Version = v_uint32()
self.Storage = vstruct.VArray([ DUAL() for i in xrange(2) ])
class VF_AVL_TREE_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.p = v_ptr32()
self.RangeSize = v_uint32()
class TEB_ACTIVE_FRAME_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.FrameName = v_ptr32()
class CLIENT_ID64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UniqueProcess = v_uint64()
self.UniqueThread = v_uint64()
class FS_FILTER_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AcquireForModifiedPageWriter = _unnamed_35375()
self._pad0014 = v_bytes(size=12)
class OBJECT_SYMBOLIC_LINK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CreationTime = LARGE_INTEGER()
self.LinkTarget = UNICODE_STRING()
self.DosDeviceDriveIndex = v_uint32()
self._pad0018 = v_bytes(size=4)
class HEAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Entry = HEAP_ENTRY()
self.SegmentSignature = v_uint32()
self.SegmentFlags = v_uint32()
self.SegmentListEntry = LIST_ENTRY()
self.Heap = v_ptr32()
self.BaseAddress = v_ptr32()
self.NumberOfPages = v_uint32()
self.FirstEntry = v_ptr32()
self.LastValidEntry = v_ptr32()
self.NumberOfUnCommittedPages = v_uint32()
self.NumberOfUnCommittedRanges = v_uint32()
self.SegmentAllocatorBackTraceIndex = v_uint16()
self.Reserved = v_uint16()
self.UCRSegmentList = LIST_ENTRY()
self.Flags = v_uint32()
self.ForceFlags = v_uint32()
self.CompatibilityFlags = v_uint32()
self.EncodeFlagMask = v_uint32()
self.Encoding = HEAP_ENTRY()
self.Interceptor = v_uint32()
self.VirtualMemoryThreshold = v_uint32()
self.Signature = v_uint32()
self.SegmentReserve = v_uint32()
self.SegmentCommit = v_uint32()
self.DeCommitFreeBlockThreshold = v_uint32()
self.DeCommitTotalFreeThreshold = v_uint32()
self.TotalFreeSize = v_uint32()
self.MaximumAllocationSize = v_uint32()
self.ProcessHeapsListIndex = v_uint16()
self.HeaderValidateLength = v_uint16()
self.HeaderValidateCopy = v_ptr32()
self.NextAvailableTagIndex = v_uint16()
self.MaximumTagIndex = v_uint16()
self.TagEntries = v_ptr32()
self.UCRList = LIST_ENTRY()
self.AlignRound = v_uint32()
self.AlignMask = v_uint32()
self.VirtualAllocdBlocks = LIST_ENTRY()
self.SegmentList = LIST_ENTRY()
self.AllocatorBackTraceIndex = v_uint16()
self._pad00b0 = v_bytes(size=2)
self.NonDedicatedListLength = v_uint32()
self.BlocksIndex = v_ptr32()
self.UCRIndex = v_ptr32()
self.PseudoTagEntries = v_ptr32()
self.FreeLists = LIST_ENTRY()
self.LockVariable = v_ptr32()
self.CommitRoutine = v_ptr32()
self.FrontEndHeap = v_ptr32()
self.FrontHeapLockCount = v_uint16()
self.FrontEndHeapType = v_uint8()
self.RequestedFrontEndHeapType = v_uint8()
self.FrontEndHeapUsageData = v_ptr32()
self.FrontEndHeapMaximumIndex = v_uint16()
self.FrontEndHeapStatusBitmap = vstruct.VArray([ v_uint8() for i in xrange(257) ])
self._pad01e0 = v_bytes(size=1)
self.Counters = HEAP_COUNTERS()
self.TuningParameters = HEAP_TUNING_PARAMETERS()
self._pad0248 = v_bytes(size=4)
class EJOB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Event = KEVENT()
self.JobLinks = LIST_ENTRY()
self.ProcessListHead = LIST_ENTRY()
self.JobLock = ERESOURCE()
self.TotalUserTime = LARGE_INTEGER()
self.TotalKernelTime = LARGE_INTEGER()
self.TotalCycleTime = LARGE_INTEGER()
self.ThisPeriodTotalUserTime = LARGE_INTEGER()
self.ThisPeriodTotalKernelTime = LARGE_INTEGER()
self.TotalContextSwitches = v_uint64()
self.TotalPageFaultCount = v_uint32()
self.TotalProcesses = v_uint32()
self.ActiveProcesses = v_uint32()
self.TotalTerminatedProcesses = v_uint32()
self.PerProcessUserTimeLimit = LARGE_INTEGER()
self.PerJobUserTimeLimit = LARGE_INTEGER()
self.MinimumWorkingSetSize = v_uint32()
self.MaximumWorkingSetSize = v_uint32()
self.LimitFlags = v_uint32()
self.ActiveProcessLimit = v_uint32()
self.Affinity = KAFFINITY_EX()
self.AccessState = v_ptr32()
self.AccessStateQuotaReference = v_ptr32()
self.UIRestrictionsClass = v_uint32()
self.EndOfJobTimeAction = v_uint32()
self.CompletionPort = v_ptr32()
self.CompletionKey = v_ptr32()
self._pad00e0 = v_bytes(size=4)
self.CompletionCount = v_uint64()
self.SessionId = v_uint32()
self.SchedulingClass = v_uint32()
self.ReadOperationCount = v_uint64()
self.WriteOperationCount = v_uint64()
self.OtherOperationCount = v_uint64()
self.ReadTransferCount = v_uint64()
self.WriteTransferCount = v_uint64()
self.OtherTransferCount = v_uint64()
self.DiskIoInfo = PROCESS_DISK_COUNTERS()
self.ProcessMemoryLimit = v_uint32()
self.JobMemoryLimit = v_uint32()
self.PeakProcessMemoryUsed = v_uint32()
self.PeakJobMemoryUsed = v_uint32()
self.EffectiveAffinity = KAFFINITY_EX()
self._pad0168 = v_bytes(size=4)
self.EffectivePerProcessUserTimeLimit = LARGE_INTEGER()
self.EffectiveMinimumWorkingSetSize = v_uint32()
self.EffectiveMaximumWorkingSetSize = v_uint32()
self.EffectiveProcessMemoryLimit = v_uint32()
self.EffectiveProcessMemoryLimitJob = v_ptr32()
self.EffectivePerProcessUserTimeLimitJob = v_ptr32()
self.EffectiveLimitFlags = v_uint32()
self.EffectiveSchedulingClass = v_uint32()
self.EffectiveFreezeCount = v_uint32()
self.EffectiveBackgroundCount = v_uint32()
self.EffectiveSwapCount = v_uint32()
self.EffectiveNotificationLimitCount = v_uint32()
self.EffectivePriorityClass = v_uint8()
self.PriorityClass = v_uint8()
self.Reserved1 = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.CompletionFilter = v_uint32()
self._pad01a8 = v_bytes(size=4)
self.WakeChannel = WNF_STATE_NAME()
self._pad01f0 = v_bytes(size=64)
self.WakeFilter = JOBOBJECT_WAKE_FILTER()
self.LowEdgeLatchFilter = v_uint32()
self.OwnedHighEdgeFilters = v_uint32()
self.NotificationLink = v_ptr32()
self._pad0208 = v_bytes(size=4)
self.CurrentJobMemoryUsed = v_uint64()
self.NotificationInfo = v_ptr32()
self.NotificationInfoQuotaReference = v_ptr32()
self.NotificationPacket = v_ptr32()
self.CpuRateControl = v_ptr32()
self.EffectiveSchedulingGroup = v_ptr32()
self.MemoryLimitsLock = EX_PUSH_LOCK()
self.SiblingJobLinks = LIST_ENTRY()
self.ChildJobListHead = LIST_ENTRY()
self.ParentJob = v_ptr32()
self.RootJob = v_ptr32()
self.IteratorListHead = LIST_ENTRY()
self.Accounting = EPROCESS_VALUES()
self.ShadowActiveProcessCount = v_uint32()
self.SequenceNumber = v_uint32()
self.TimerListLock = v_uint32()
self.TimerListHead = LIST_ENTRY()
self.JobFlags = v_uint32()
self.EffectiveHighEdgeFilters = v_uint32()
self._pad02b8 = v_bytes(size=4)
class PROCESSOR_IDLESTATE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TimeCheck = v_uint32()
self.DemotePercent = v_uint8()
self.PromotePercent = v_uint8()
self.Spare = vstruct.VArray([ v_uint8() for i in xrange(2) ])
class DBGKD_READ_WRITE_IO_EXTENDED64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DataSize = v_uint32()
self.InterfaceType = v_uint32()
self.BusNumber = v_uint32()
self.AddressSpace = v_uint32()
self.IoAddress = v_uint64()
self.DataValue = v_uint32()
self._pad0020 = v_bytes(size=4)
class ALPC_COMPLETION_PACKET_LOOKASIDE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = SINGLE_LIST_ENTRY()
self.Packet = v_ptr32()
self.Lookaside = v_ptr32()
class IO_STATUS_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Status = v_uint32()
self.Information = v_uint32()
class KPROCESSOR_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ContextFrame = CONTEXT()
self.SpecialRegisters = KSPECIAL_REGISTERS()
class KiIoAccessMap(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DirectionMap = vstruct.VArray([ v_uint8() for i in xrange(32) ])
self.IoMap = vstruct.VArray([ v_uint8() for i in xrange(8196) ])
class KAPC(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint8()
self.SpareByte0 = v_uint8()
self.Size = v_uint8()
self.SpareByte1 = v_uint8()
self.SpareLong0 = v_uint32()
self.Thread = v_ptr32()
self.ApcListEntry = LIST_ENTRY()
self.KernelRoutine = v_ptr32()
self.RundownRoutine = v_ptr32()
self.NormalRoutine = v_ptr32()
self.NormalContext = v_ptr32()
self.SystemArgument1 = v_ptr32()
self.SystemArgument2 = v_ptr32()
self.ApcStateIndex = v_uint8()
self.ApcMode = v_uint8()
self.Inserted = v_uint8()
self._pad0030 = v_bytes(size=1)
class ETW_BUFFER_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ProcessorNumber = v_uint8()
self.Alignment = v_uint8()
self.LoggerId = v_uint16()
class POOL_TRACKER_BIG_PAGES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Va = v_uint32()
self.Key = v_uint32()
self.PoolType = v_uint32()
self.NumberOfBytes = v_uint32()
class SID_IDENTIFIER_AUTHORITY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Value = vstruct.VArray([ v_uint8() for i in xrange(6) ])
class RTL_RANGE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = LIST_ENTRY()
self.Flags = v_uint32()
self.Count = v_uint32()
self.Stamp = v_uint32()
class PROC_PERF_HISTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.Slot = v_uint32()
self.UtilityTotal = v_uint32()
self.AffinitizedUtilityTotal = v_uint32()
self.FrequencyTotal = v_uint32()
self.HistoryList = vstruct.VArray([ PROC_PERF_HISTORY_ENTRY() for i in xrange(1) ])
self._pad001c = v_bytes(size=2)
class CM_NOTIFY_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HiveList = LIST_ENTRY()
self.PostList = LIST_ENTRY()
self.KeyControlBlock = v_ptr32()
self.KeyBody = v_ptr32()
self.Filter = v_uint32()
self.SubjectContext = SECURITY_SUBJECT_CONTEXT()
class _unnamed_36425(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeSize = v_uint32()
class DRIVER_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.DeviceObject = v_ptr32()
self.Flags = v_uint32()
self.DriverStart = v_ptr32()
self.DriverSize = v_uint32()
self.DriverSection = v_ptr32()
self.DriverExtension = v_ptr32()
self.DriverName = UNICODE_STRING()
self.HardwareDatabase = v_ptr32()
self.FastIoDispatch = v_ptr32()
self.DriverInit = v_ptr32()
self.DriverStartIo = v_ptr32()
self.DriverUnload = v_ptr32()
self.MajorFunction = vstruct.VArray([ v_ptr32() for i in xrange(28) ])
class VI_POOL_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PageHeader = VI_POOL_PAGE_HEADER()
self._pad0010 = v_bytes(size=4)
class POOL_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PreviousSize = v_uint16()
self.BlockSize = v_uint16()
self.PoolTag = v_uint32()
class SHARED_CACHE_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeTypeCode = v_uint16()
self.NodeByteSize = v_uint16()
self.OpenCount = v_uint32()
self.FileSize = LARGE_INTEGER()
self.BcbList = LIST_ENTRY()
self.SectionSize = LARGE_INTEGER()
self.ValidDataLength = LARGE_INTEGER()
self.ValidDataGoal = LARGE_INTEGER()
self.InitialVacbs = vstruct.VArray([ v_ptr32() for i in xrange(4) ])
self.Vacbs = v_ptr32()
self.FileObjectFastRef = EX_FAST_REF()
self.VacbLock = EX_PUSH_LOCK()
self.DirtyPages = v_uint32()
self.LoggedStreamLinks = LIST_ENTRY()
self.SharedCacheMapLinks = LIST_ENTRY()
self.Flags = v_uint32()
self.Status = v_uint32()
self.Mbcb = v_ptr32()
self.Section = v_ptr32()
self.CreateEvent = v_ptr32()
self.WaitOnActiveCount = v_ptr32()
self.PagesToWrite = v_uint32()
self._pad0080 = v_bytes(size=4)
self.BeyondLastFlush = v_uint64()
self.Callbacks = v_ptr32()
self.LazyWriteContext = v_ptr32()
self.PrivateList = LIST_ENTRY()
self.V1 = LOGGED_STREAM_CALLBACK_V1()
self.LargestLSN = LARGE_INTEGER()
self.DirtyPageThreshold = v_uint32()
self.LazyWritePassCount = v_uint32()
self.UninitializeEvent = v_ptr32()
self.BcbLock = FAST_MUTEX()
self._pad00d8 = v_bytes(size=4)
self.LastUnmapBehindOffset = LARGE_INTEGER()
self.Event = KEVENT()
self.HighWaterMappingOffset = LARGE_INTEGER()
self.PrivateCacheMap = PRIVATE_CACHE_MAP()
self.WriteBehindWorkQueueEntry = v_ptr32()
self.VolumeCacheMap = v_ptr32()
self.ProcImagePathHash = v_uint32()
self.WritesInProgress = v_uint32()
class MMPTE_PROTOTYPE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class REMOTE_PORT_VIEW(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.ViewSize = v_uint32()
self.ViewBase = v_ptr32()
class IO_MINI_COMPLETION_PACKET_USER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.PacketType = v_uint32()
self.KeyContext = v_ptr32()
self.ApcContext = v_ptr32()
self.IoStatus = v_uint32()
self.IoStatusInformation = v_uint32()
self.MiniPacketCallback = v_ptr32()
self.Context = v_ptr32()
self.Allocated = v_uint8()
self._pad0028 = v_bytes(size=3)
class XSTATE_FEATURE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Offset = v_uint32()
self.Size = v_uint32()
class GDI_TEB_BATCH32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Offset = v_uint32()
self.HDC = v_uint32()
self.Buffer = vstruct.VArray([ v_uint32() for i in xrange(310) ])
class _unnamed_28195(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Argument1 = v_ptr32()
self.Argument2 = v_ptr32()
self.Argument3 = v_ptr32()
self.Argument4 = v_ptr32()
class WHEA_TIMESTAMP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Seconds = v_uint64()
class _unnamed_28190(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ProviderId = v_uint32()
self.DataPath = v_ptr32()
self.BufferSize = v_uint32()
self.Buffer = v_ptr32()
class ETW_REF_CLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StartTime = LARGE_INTEGER()
self.StartPerfClock = LARGE_INTEGER()
class RTL_CRITICAL_SECTION_DEBUG(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.CreatorBackTraceIndex = v_uint16()
self.CriticalSection = v_ptr32()
self.ProcessLocksList = LIST_ENTRY()
self.EntryCount = v_uint32()
self.ContentionCount = v_uint32()
self.Flags = v_uint32()
self.CreatorBackTraceIndexHigh = v_uint16()
self.SpareUSHORT = v_uint16()
class PNP_DEVICE_EVENT_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.Argument = v_uint32()
self.CallerEvent = v_ptr32()
self.Callback = v_ptr32()
self.Context = v_ptr32()
self.VetoType = v_ptr32()
self.VetoName = v_ptr32()
self.RefCount = v_uint32()
self.Lock = v_uint32()
self.Cancel = v_uint8()
self._pad002c = v_bytes(size=3)
self.Parent = v_ptr32()
self.Data = PLUGPLAY_EVENT_BLOCK()
class ARBITER_CONFLICT_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OwningObject = v_ptr32()
self._pad0008 = v_bytes(size=4)
self.Start = v_uint64()
self.End = v_uint64()
class KALPC_VIEW(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ViewListEntry = LIST_ENTRY()
self.Region = v_ptr32()
self.OwnerPort = v_ptr32()
self.OwnerProcess = v_ptr32()
self.Address = v_ptr32()
self.Size = v_uint32()
self.SecureViewHandle = v_ptr32()
self.WriteAccessHandle = v_ptr32()
self.u1 = _unnamed_30920()
self.NumberOfOwnerMessages = v_uint32()
self.ProcessViewListEntry = LIST_ENTRY()
class ETW_SESSION_PERF_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BufferMemoryPagedPool = v_uint32()
self.BufferMemoryNonPagedPool = v_uint32()
self.EventsLoggedCount = v_uint64()
self.EventsLost = v_uint32()
self.NumConsumers = v_uint32()
class _unnamed_34685(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = v_uint32()
self.Length = v_uint32()
self.Reserved = v_uint32()
class DIRTY_PAGE_STATISTICS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DirtyPages = v_uint32()
self.DirtyPagesLastScan = v_uint32()
self.DirtyPagesScheduledLastScan = v_uint32()
class ARBITER_BOOT_ALLOCATION_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ArbitrationList = v_ptr32()
class TOKEN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TokenSource = TOKEN_SOURCE()
self.TokenId = LUID()
self.AuthenticationId = LUID()
self.ParentTokenId = LUID()
self.ExpirationTime = LARGE_INTEGER()
self.TokenLock = v_ptr32()
self.ModifiedId = LUID()
self._pad0040 = v_bytes(size=4)
self.Privileges = SEP_TOKEN_PRIVILEGES()
self.AuditPolicy = SEP_AUDIT_POLICY()
self._pad0078 = v_bytes(size=2)
self.SessionId = v_uint32()
self.UserAndGroupCount = v_uint32()
self.RestrictedSidCount = v_uint32()
self.VariableLength = v_uint32()
self.DynamicCharged = v_uint32()
self.DynamicAvailable = v_uint32()
self.DefaultOwnerIndex = v_uint32()
self.UserAndGroups = v_ptr32()
self.RestrictedSids = v_ptr32()
self.PrimaryGroup = v_ptr32()
self.DynamicPart = v_ptr32()
self.DefaultDacl = v_ptr32()
self.TokenType = v_uint32()
self.ImpersonationLevel = v_uint32()
self.TokenFlags = v_uint32()
self.TokenInUse = v_uint8()
self._pad00b8 = v_bytes(size=3)
self.IntegrityLevelIndex = v_uint32()
self.MandatoryPolicy = v_uint32()
self.LogonSession = v_ptr32()
self.OriginatingLogonSession = LUID()
self.SidHash = SID_AND_ATTRIBUTES_HASH()
self.RestrictedSidHash = SID_AND_ATTRIBUTES_HASH()
self.pSecurityAttributes = v_ptr32()
self.Package = v_ptr32()
self.Capabilities = v_ptr32()
self.CapabilityCount = v_uint32()
self.CapabilitiesHash = SID_AND_ATTRIBUTES_HASH()
self.LowboxNumberEntry = v_ptr32()
self.LowboxHandlesEntry = v_ptr32()
self.pClaimAttributes = v_ptr32()
self.VariablePart = v_uint32()
self._pad0288 = v_bytes(size=4)
class DISPATCHER_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint8()
self.TimerControlFlags = v_uint8()
self.ThreadControlFlags = v_uint8()
self.TimerMiscFlags = v_uint8()
self.SignalState = v_uint32()
self.WaitListHead = LIST_ENTRY()
class PROCESSOR_IDLESTATE_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revision = v_uint16()
self.Flags = _unnamed_35941()
self.PolicyCount = v_uint32()
self.Policy = vstruct.VArray([ PROCESSOR_IDLESTATE_INFO() for i in xrange(3) ])
class CM_KEY_BODY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint32()
self.KeyControlBlock = v_ptr32()
self.NotifyBlock = v_ptr32()
self.ProcessID = v_ptr32()
self.KeyBodyList = LIST_ENTRY()
self.Flags = v_uint32()
self.KtmTrans = v_ptr32()
self.KtmUow = v_ptr32()
self.ContextListHead = LIST_ENTRY()
class WHEA_IPF_CMC_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.Reserved = v_uint8()
class _unnamed_34098(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MinimumVector = v_uint32()
self.MaximumVector = v_uint32()
self.AffinityPolicy = v_uint16()
self.Group = v_uint16()
self.PriorityPolicy = v_uint32()
self.TargetedProcessors = v_uint32()
class KMUTANT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
self.MutantListEntry = LIST_ENTRY()
self.OwnerThread = v_ptr32()
self.Abandoned = v_uint8()
self.ApcDisable = v_uint8()
self._pad0020 = v_bytes(size=2)
class ASSEMBLY_STORAGE_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class MI_VERIFIER_POOL_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VerifierPoolEntry = v_ptr32()
class _unnamed_36887(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PollInterval = v_uint32()
self.Vector = v_uint32()
self.SwitchToPollingThreshold = v_uint32()
self.SwitchToPollingWindow = v_uint32()
self.ErrorThreshold = v_uint32()
self.ErrorThresholdWindow = v_uint32()
class PROCESSOR_POWER_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IdleStates = v_ptr32()
self.IdleAccounting = v_ptr32()
self.PlatformIdleAccounting = v_ptr32()
self._pad0010 = v_bytes(size=4)
self.IdleTimeLast = v_uint64()
self.IdleTimeTotal = v_uint64()
self.IdleTimeEntry = v_uint64()
self.Reserved = v_uint64()
self.IdlePolicy = PROC_IDLE_POLICY()
self._pad0038 = v_bytes(size=3)
self.Synchronization = PPM_IDLE_SYNCHRONIZATION_STATE()
self._pad0040 = v_bytes(size=4)
self.PerfFeedback = PROC_FEEDBACK()
self.Hypervisor = v_uint32()
self.LastSysTime = v_uint32()
self.WmiDispatchPtr = v_uint32()
self.WmiInterfaceEnabled = v_uint32()
self.FFHThrottleStateInfo = PPM_FFH_THROTTLE_STATE_INFO()
self.PerfActionDpc = KDPC()
self.PerfActionMask = v_uint32()
self._pad0100 = v_bytes(size=4)
self.HvIdleCheck = PROC_IDLE_SNAP()
self.PerfCheck = PROC_PERF_SNAP()
self.Domain = v_ptr32()
self.PerfConstraint = v_ptr32()
self.Concurrency = v_ptr32()
self.Load = v_ptr32()
self.PerfHistory = v_ptr32()
self.GuaranteedPerformancePercent = v_uint8()
self.HvTargetState = v_uint8()
self.Parked = v_uint8()
self.OverUtilized = v_uint8()
self.LatestPerformancePercent = v_uint32()
self.AveragePerformancePercent = v_uint32()
self.LatestAffinitizedPercent = v_uint32()
self.Utility = v_uint32()
self.AffinitizedUtility = v_uint32()
self._pad0180 = v_bytes(size=4)
class _unnamed_36885(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PollInterval = v_uint32()
class PS_WAKE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationChannel = v_uint64()
self.WakeCounters = vstruct.VArray([ v_uint64() for i in xrange(8) ])
class SECURITY_CLIENT_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityQos = SECURITY_QUALITY_OF_SERVICE()
self.ClientToken = v_ptr32()
self.DirectlyAccessClientToken = v_uint8()
self.DirectAccessEffectiveOnly = v_uint8()
self.ServerIsRemote = v_uint8()
self._pad0014 = v_bytes(size=1)
self.ClientTokenControl = TOKEN_CONTROL()
class _unnamed_37062(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = MMSECURE_FLAGS()
class SID_AND_ATTRIBUTES_HASH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SidCount = v_uint32()
self.SidAttr = v_ptr32()
self.Hash = vstruct.VArray([ v_uint32() for i in xrange(32) ])
class DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Pad = v_uint16()
self.Limit = v_uint16()
self.Base = v_uint32()
class DBGKD_MANIPULATE_STATE64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ApiNumber = v_uint32()
self.ProcessorLevel = v_uint16()
self.Processor = v_uint16()
self.ReturnStatus = v_uint32()
self._pad0010 = v_bytes(size=4)
self.u = _unnamed_30113()
class _unnamed_27978(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OutputBufferLength = v_uint32()
self.InputBufferLength = v_uint32()
self.FsControlCode = v_uint32()
self.Type3InputBuffer = v_ptr32()
class LPCP_PORT_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NonPagedPortQueue = v_ptr32()
self.Semaphore = v_ptr32()
self.ReceiveHead = LIST_ENTRY()
class PHYSICAL_MEMORY_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NumberOfRuns = v_uint32()
self.NumberOfPages = v_uint32()
self.Run = vstruct.VArray([ PHYSICAL_MEMORY_RUN() for i in xrange(1) ])
class _unnamed_27975(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.FsInformationClass = v_uint32()
class MMWSLE_FREE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MustBeZero = v_uint32()
class CACHE_UNINITIALIZE_EVENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.Event = KEVENT()
class JOB_ACCESS_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class SECURITY_QUALITY_OF_SERVICE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.ImpersonationLevel = v_uint32()
self.ContextTrackingMode = v_uint8()
self.EffectiveOnly = v_uint8()
self._pad000c = v_bytes(size=2)
class RTL_ATOM_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.ReferenceCount = v_uint32()
self.PushLock = EX_PUSH_LOCK()
self.ExHandleTable = v_ptr32()
self.Flags = v_uint32()
self.NumberOfBuckets = v_uint32()
self.Buckets = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class WHEA_ERROR_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = WHEA_ERROR_RECORD_HEADER()
self.SectionDescriptor = vstruct.VArray([ WHEA_ERROR_RECORD_SECTION_DESCRIPTOR() for i in xrange(1) ])
class CMHIVE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Hive = HHIVE()
self.FileHandles = vstruct.VArray([ v_ptr32() for i in xrange(6) ])
self.NotifyList = LIST_ENTRY()
self.HiveList = LIST_ENTRY()
self.PreloadedHiveList = LIST_ENTRY()
self.HiveRundown = EX_RUNDOWN_REF()
self.ParseCacheEntries = LIST_ENTRY()
self.KcbCacheTable = v_ptr32()
self.KcbCacheTableSize = v_uint32()
self.DeletedKcbTable = v_ptr32()
self.DeletedKcbTableSize = v_uint32()
self.Identity = v_uint32()
self.HiveLock = v_ptr32()
self.WriterLock = v_ptr32()
self.FlusherLock = v_ptr32()
self.FlushDirtyVector = RTL_BITMAP()
self.FlushOffsetArray = v_ptr32()
self.FlushOffsetArrayCount = v_uint32()
self.FlushBaseBlock = v_ptr32()
self.FlushHiveTruncated = v_uint32()
self.SecurityLock = EX_PUSH_LOCK()
self.UseCount = v_uint32()
self.LastShrinkHiveSize = v_uint32()
self.ActualFileSize = LARGE_INTEGER()
self.LogFileSizes = vstruct.VArray([ LARGE_INTEGER() for i in xrange(2) ])
self.FileFullPath = UNICODE_STRING()
self.FileUserName = UNICODE_STRING()
self.HiveRootPath = UNICODE_STRING()
self.SecurityCount = v_uint32()
self.SecurityCacheSize = v_uint32()
self.SecurityHitHint = v_uint32()
self.SecurityCache = v_ptr32()
self.SecurityHash = vstruct.VArray([ LIST_ENTRY() for i in xrange(64) ])
self.UnloadEventCount = v_uint32()
self.UnloadEventArray = v_ptr32()
self.RootKcb = v_ptr32()
self.Frozen = v_uint8()
self._pad0670 = v_bytes(size=3)
self.UnloadWorkItem = v_ptr32()
self.UnloadWorkItemHolder = CM_WORKITEM()
self.GrowOnlyMode = v_uint8()
self._pad068c = v_bytes(size=3)
self.GrowOffset = v_uint32()
self.KcbConvertListHead = LIST_ENTRY()
self.KnodeConvertListHead = LIST_ENTRY()
self.CellRemapArray = v_ptr32()
self.Flags = v_uint32()
self.TrustClassEntry = LIST_ENTRY()
self.DirtyTime = v_uint64()
self.CmRm = v_ptr32()
self.CmRmInitFailPoint = v_uint32()
self.CmRmInitFailStatus = v_uint32()
self.CreatorOwner = v_ptr32()
self.RundownThread = v_ptr32()
self.ActiveFlushThread = v_ptr32()
self.FlushBoostLock = EX_PUSH_LOCK()
self._pad06d8 = v_bytes(size=4)
self.LastWriteTime = LARGE_INTEGER()
self.ReferenceCount = v_uint32()
self.FlushFlags = v_uint32()
self.FlushWaitList = v_ptr32()
self.UnloadHistoryIndex = v_uint32()
self.UnloadHistory = vstruct.VArray([ v_uint32() for i in xrange(128) ])
self.BootStart = v_uint32()
self.UnaccessedStart = v_uint32()
self.UnaccessedEnd = v_uint32()
self.LoadedKeyCount = v_uint32()
self.HandleClosePending = v_uint32()
self.HandleClosePendingEvent = EX_PUSH_LOCK()
class POP_SHUTDOWN_BUG_CHECK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InitiatingThread = v_ptr32()
self.InitiatingProcess = v_ptr32()
self.ThreadId = v_ptr32()
self.ProcessId = v_ptr32()
self.Code = v_uint32()
self.Parameter1 = v_uint32()
self.Parameter2 = v_uint32()
self.Parameter3 = v_uint32()
self.Parameter4 = v_uint32()
class SECTION_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StartingVa = v_ptr32()
self.EndingVa = v_ptr32()
self.Parent = v_ptr32()
self.LeftChild = v_ptr32()
self.RightChild = v_ptr32()
self.Segment = v_ptr32()
class PROC_PERF_CONSTRAINT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Prcb = v_ptr32()
self.PerfContext = v_uint32()
self.PlatformCap = v_uint32()
self.ThermalCap = v_uint32()
self.LimitReasons = v_uint32()
self._pad0018 = v_bytes(size=4)
self.PlatformCapStartTime = v_uint64()
self.TargetPercent = v_uint32()
self.DesiredPercent = v_uint32()
self.SelectedPercent = v_uint32()
self.SelectedFrequency = v_uint32()
self.PreviousFrequency = v_uint32()
self.PreviousPercent = v_uint32()
self.LatestFrequencyPercent = v_uint32()
self._pad0040 = v_bytes(size=4)
self.SelectedState = v_uint64()
self.Force = v_uint8()
self._pad0050 = v_bytes(size=7)
class ARBITER_QUERY_ALLOCATED_RESOURCES_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllocatedResources = v_ptr32()
class LUID(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.HighPart = v_uint32()
class TOKEN_SOURCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SourceName = vstruct.VArray([ v_uint8() for i in xrange(8) ])
self.SourceIdentifier = LUID()
class OBJECT_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PointerCount = v_uint32()
self.HandleCount = v_uint32()
self.Lock = EX_PUSH_LOCK()
self.TypeIndex = v_uint8()
self.TraceFlags = v_uint8()
self.InfoMask = v_uint8()
self.Flags = v_uint8()
self.ObjectCreateInfo = v_ptr32()
self.SecurityDescriptor = v_ptr32()
self.Body = QUAD()
class RTL_DYNAMIC_HASH_TABLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Linkage = LIST_ENTRY()
self.Signature = v_uint32()
class MM_PAGED_POOL_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Mutex = FAST_MUTEX()
self.PagedPoolAllocationMap = RTL_BITMAP()
self.FirstPteForPagedPool = v_ptr32()
self.PagedPoolHint = v_uint32()
self.AllocatedPagedPool = v_uint32()
class _unnamed_33994(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Generic = _unnamed_34658()
class RTL_TIME_ZONE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Bias = v_uint32()
self.StandardName = vstruct.VArray([ v_uint16() for i in xrange(32) ])
self.StandardStart = TIME_FIELDS()
self.StandardBias = v_uint32()
self.DaylightName = vstruct.VArray([ v_uint16() for i in xrange(32) ])
self.DaylightStart = TIME_FIELDS()
self.DaylightBias = v_uint32()
class OBJECT_DUMP_CONTROL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Stream = v_ptr32()
self.Detail = v_uint32()
class CACHE_MANAGER_CALLBACKS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AcquireForLazyWrite = v_ptr32()
self.ReleaseFromLazyWrite = v_ptr32()
self.AcquireForReadAhead = v_ptr32()
self.ReleaseFromReadAhead = v_ptr32()
class DBGKD_CONTINUE2(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ContinueStatus = v_uint32()
self.ControlSet = X86_DBGKD_CONTROL_SET()
self._pad0020 = v_bytes(size=12)
class _unnamed_35377(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SyncType = v_uint32()
self.PageProtection = v_uint32()
class HANDLE_TRACE_DB_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ClientId = CLIENT_ID()
self.Handle = v_ptr32()
self.Type = v_uint32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(16) ])
class POP_FX_DEVICE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.Plugin = v_ptr32()
self.PluginHandle = v_ptr32()
self.MiniPlugin = v_ptr32()
self.MiniPluginHandle = v_ptr32()
self.DevNode = v_ptr32()
self.DeviceObject = v_ptr32()
self.TargetDevice = v_ptr32()
self.Callbacks = POP_FX_DRIVER_CALLBACKS()
self.DriverContext = v_ptr32()
self.RemoveLock = IO_REMOVE_LOCK()
self.WorkOrder = POP_FX_WORK_ORDER()
self.Status = POP_FX_DEVICE_STATUS()
self.PowerReqCall = v_uint32()
self.PowerNotReqCall = v_uint32()
self.IdleLock = v_uint32()
self.IdleTimer = KTIMER()
self.IdleDpc = KDPC()
self.IdleTimeout = v_uint64()
self.IdleStamp = v_uint64()
self.Irp = v_ptr32()
self.IrpData = v_ptr32()
self.NextIrpDeviceObject = v_ptr32()
self.NextIrpPowerState = POWER_STATE()
self.NextIrpCallerCompletion = v_ptr32()
self.NextIrpCallerContext = v_ptr32()
self.IrpCompleteEvent = KEVENT()
self.ComponentCount = v_uint32()
self.Components = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class TOKEN_CONTROL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TokenId = LUID()
self.AuthenticationId = LUID()
self.ModifiedId = LUID()
self.TokenSource = TOKEN_SOURCE()
class GENERAL_LOOKASIDE_POOL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = SLIST_HEADER()
self.Depth = v_uint16()
self.MaximumDepth = v_uint16()
self.TotalAllocates = v_uint32()
self.AllocateMisses = v_uint32()
self.TotalFrees = v_uint32()
self.FreeMisses = v_uint32()
self.Type = v_uint32()
self.Tag = v_uint32()
self.Size = v_uint32()
self.AllocateEx = v_ptr32()
self.FreeEx = v_ptr32()
self.ListEntry = LIST_ENTRY()
self.LastTotalAllocates = v_uint32()
self.LastAllocateMisses = v_uint32()
self.Future = vstruct.VArray([ v_uint32() for i in xrange(2) ])
class MM_PAGE_ACCESS_INFO_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.File = _unnamed_32122()
class LDRP_CSLIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Tail = v_ptr32()
class ALPC_DISPATCH_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PortObject = v_ptr32()
self.Message = v_ptr32()
self.CommunicationInfo = v_ptr32()
self.TargetThread = v_ptr32()
self.TargetPort = v_ptr32()
self.Flags = v_uint32()
self.TotalLength = v_uint16()
self.Type = v_uint16()
self.DataInfoOffset = v_uint16()
self.SignalCompletion = v_uint8()
self.PostedToCompletionList = v_uint8()
class XPF_MCE_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MCG_CapabilityRW = v_uint32()
class tagSWITCH_CONTEXT_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.guPlatform = GUID()
self.guMinPlatform = GUID()
self.ulElementCount = v_uint32()
self.ulContextMinimum = v_uint16()
self._pad0028 = v_bytes(size=2)
self.ullOsMaxVersionTested = v_uint64()
self.guElements = vstruct.VArray([ GUID() for i in xrange(1) ])
class LPCP_NONPAGED_PORT_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Semaphore = KSEMAPHORE()
self.BackPointer = v_ptr32()
class KTRANSACTION_HISTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RecordType = v_uint32()
self.Payload = v_uint32()
class RTL_SRWLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Locked = v_uint32()
class BATTERY_REPORTING_SCALE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Granularity = v_uint32()
self.Capacity = v_uint32()
class _unnamed_35378(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationType = v_uint32()
self.SafeToRecurse = v_uint8()
self._pad0008 = v_bytes(size=3)
class SHARED_CACHE_MAP_LIST_CURSOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SharedCacheMapLinks = LIST_ENTRY()
self.Flags = v_uint32()
class _unnamed_36349(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Active = v_uint32()
class MSUBSECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlArea = v_ptr32()
self.SubsectionBase = v_ptr32()
self.NextSubsection = v_ptr32()
self.PtesInSubsection = v_uint32()
self.UnusedPtes = v_uint32()
self.u = _unnamed_33507()
self.StartingSector = v_uint32()
self.NumberOfFullSectors = v_uint32()
self.SubsectionNode = MM_AVL_NODE()
self.DereferenceList = LIST_ENTRY()
self.NumberOfMappedViews = v_uint32()
self.NumberOfPfnReferences = v_uint32()
class _unnamed_30922(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WriteAccess = v_uint32()
class MMVAD_FLAGS1(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CommitCharge = v_uint32()
class TP_POOL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class XPF_MC_BANK_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ClearOnInitializationRW = v_uint8()
class _unnamed_28084(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Capabilities = v_ptr32()
class _unnamed_28872(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VirtualAddress = v_ptr32()
class CMP_OFFSET_ARRAY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FileOffset = v_uint32()
self.DataBuffer = v_ptr32()
self.DataLength = v_uint32()
class MMINPAGE_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InjectRetry = v_uint8()
self.PrefetchSystemVmType = v_uint8()
self.PagePriority = v_uint8()
self.ZeroLastPage = v_uint8()
class KALPC_MESSAGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Entry = LIST_ENTRY()
self.PortQueue = v_ptr32()
self.OwnerPort = v_ptr32()
self.WaitingThread = v_ptr32()
self.u1 = _unnamed_31033()
self.SequenceNo = v_uint32()
self.QuotaProcess = v_ptr32()
self.CancelSequencePort = v_ptr32()
self.CancelQueuePort = v_ptr32()
self.CancelSequenceNo = v_uint32()
self.CancelListEntry = LIST_ENTRY()
self.Reserve = v_ptr32()
self.MessageAttributes = KALPC_MESSAGE_ATTRIBUTES()
self.DataUserVa = v_ptr32()
self.DataSystemVa = v_ptr32()
self.CommunicationInfo = v_ptr32()
self.ConnectionPort = v_ptr32()
self.ServerThread = v_ptr32()
self.WakeReference = v_ptr32()
self.ExtensionBuffer = v_ptr32()
self.ExtensionBufferSize = v_uint32()
self._pad0078 = v_bytes(size=4)
self.PortMessage = PORT_MESSAGE()
class MMVAD_FLAGS2(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FileOffset = v_uint32()
class _unnamed_35925(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = LIST_ENTRY()
class _unnamed_35924(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UserData = v_ptr32()
self.Owner = v_ptr32()
class LIST_ENTRY32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flink = v_uint32()
self.Blink = v_uint32()
class _unnamed_28120(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceTextType = v_uint32()
self.LocaleId = v_uint32()
class WHEA_IPF_MCA_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.Reserved = v_uint8()
class SINGLE_LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
class DBGKD_QUERY_MEMORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Address = v_uint64()
self.Reserved = v_uint64()
self.AddressSpace = v_uint32()
self.Flags = v_uint32()
class MMVAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Core = MMVAD_SHORT()
self.u2 = _unnamed_35666()
self.Subsection = v_ptr32()
self.FirstPrototypePte = v_ptr32()
self.LastContiguousPte = v_ptr32()
self.ViewLinks = LIST_ENTRY()
self.VadsProcess = v_ptr32()
self.u4 = _unnamed_35669()
class VF_AVL_TREE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeRangeSize = v_uint32()
self.NodeCount = v_uint32()
self.Tables = v_ptr32()
self.TablesNo = v_uint32()
self.u1 = _unnamed_36425()
class VF_POOL_TRACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Address = v_ptr32()
self.Size = v_uint32()
self.Thread = v_ptr32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(13) ])
class KDEVICE_QUEUE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceListEntry = LIST_ENTRY()
self.SortKey = v_uint32()
self.Inserted = v_uint8()
self._pad0010 = v_bytes(size=3)
class MMPTE_SUBSECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class PO_DEVICE_NOTIFY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.PowerChildren = LIST_ENTRY()
self.PowerParents = LIST_ENTRY()
self.TargetDevice = v_ptr32()
self.OrderLevel = v_uint8()
self._pad0020 = v_bytes(size=3)
self.DeviceObject = v_ptr32()
self.DeviceName = v_ptr32()
self.DriverName = v_ptr32()
self.ChildCount = v_uint32()
self.ActiveChild = v_uint32()
self.ParentCount = v_uint32()
self.ActiveParent = v_uint32()
class ALPC_HANDLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Object = v_ptr32()
class DIRTY_PAGE_THRESHOLDS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DirtyPageThreshold = v_uint32()
self.DirtyPageThresholdTop = v_uint32()
self.DirtyPageThresholdBottom = v_uint32()
self.DirtyPageTarget = v_uint32()
class EXCEPTION_RECORD32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionCode = v_uint32()
self.ExceptionFlags = v_uint32()
self.ExceptionRecord = v_uint32()
self.ExceptionAddress = v_uint32()
self.NumberParameters = v_uint32()
self.ExceptionInformation = vstruct.VArray([ v_uint32() for i in xrange(15) ])
class VI_FAULT_TRACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Thread = v_ptr32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(8) ])
class _unnamed_34192(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Level = v_uint32()
class KTMOBJECT_NAMESPACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Table = RTL_AVL_TABLE()
self.Mutex = KMUTANT()
self.LinksOffset = v_uint16()
self.GuidOffset = v_uint16()
self.Expired = v_uint8()
self._pad0060 = v_bytes(size=3)
class OBJECT_HEADER_QUOTA_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PagedPoolCharge = v_uint32()
self.NonPagedPoolCharge = v_uint32()
self.SecurityDescriptorCharge = v_uint32()
self.SecurityDescriptorQuotaBlock = v_ptr32()
class _unnamed_28990(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ImageCommitment = v_uint32()
class _unnamed_28991(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ImageInformation = v_ptr32()
class DBGKD_READ_MEMORY32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TargetBaseAddress = v_uint32()
self.TransferCount = v_uint32()
self.ActualBytesRead = v_uint32()
class MI_CACHED_PTE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.GlobalTimeStamp = v_uint32()
self.PteIndex = v_uint32()
class _unnamed_34464(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AsUCHAR = v_uint8()
class ARBITER_ALTERNATIVE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Minimum = v_uint64()
self.Maximum = v_uint64()
self.Length = v_uint64()
self.Alignment = v_uint64()
self.Priority = v_uint32()
self.Flags = v_uint32()
self.Descriptor = v_ptr32()
self.Reserved = vstruct.VArray([ v_uint32() for i in xrange(3) ])
class HEAP_LOOKASIDE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = SLIST_HEADER()
self.Depth = v_uint16()
self.MaximumDepth = v_uint16()
self.TotalAllocates = v_uint32()
self.AllocateMisses = v_uint32()
self.TotalFrees = v_uint32()
self.FreeMisses = v_uint32()
self.LastTotalAllocates = v_uint32()
self.LastAllocateMisses = v_uint32()
self.Counters = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self._pad0030 = v_bytes(size=4)
class WHEA_PCI_SLOT_NUMBER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u = _unnamed_34980()
class EX_FAST_REF(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Object = v_ptr32()
class HMAP_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Table = vstruct.VArray([ HMAP_ENTRY() for i in xrange(512) ])
class PNP_RESOURCE_REQUEST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PhysicalDevice = v_ptr32()
self.Flags = v_uint32()
self.AllocationType = v_uint32()
self.Priority = v_uint32()
self.Position = v_uint32()
self.ResourceRequirements = v_ptr32()
self.ReqList = v_ptr32()
self.ResourceAssignment = v_ptr32()
self.TranslatedResourceAssignment = v_ptr32()
self.Status = v_uint32()
class RTL_ACTIVATION_CONTEXT_STACK_FRAME(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Previous = v_ptr32()
self.ActivationContext = v_ptr32()
self.Flags = v_uint32()
class VI_DEADLOCK_GLOBALS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TimeAcquire = v_uint64()
self.TimeRelease = v_uint64()
self.ResourceDatabase = v_ptr32()
self.ResourceDatabaseCount = v_uint32()
self.ResourceAddressRange = vstruct.VArray([ VF_ADDRESS_RANGE() for i in xrange(1023) ])
self.ThreadDatabase = v_ptr32()
self.ThreadDatabaseCount = v_uint32()
self.ThreadAddressRange = vstruct.VArray([ VF_ADDRESS_RANGE() for i in xrange(1023) ])
self.AllocationFailures = v_uint32()
self.NodesTrimmedBasedOnAge = v_uint32()
self.NodesTrimmedBasedOnCount = v_uint32()
self.NodesSearched = v_uint32()
self.MaxNodesSearched = v_uint32()
self.SequenceNumber = v_uint32()
self.RecursionDepthLimit = v_uint32()
self.SearchedNodesLimit = v_uint32()
self.DepthLimitHits = v_uint32()
self.SearchLimitHits = v_uint32()
self.ABC_ACB_Skipped = v_uint32()
self.OutOfOrderReleases = v_uint32()
self.NodesReleasedOutOfOrder = v_uint32()
self.TotalReleases = v_uint32()
self.RootNodesDeleted = v_uint32()
self.ForgetHistoryCounter = v_uint32()
self.Instigator = v_ptr32()
self.NumberOfParticipants = v_uint32()
self.Participant = vstruct.VArray([ v_ptr32() for i in xrange(32) ])
self.ChildrenCountWatermark = v_uint32()
self._pad40e0 = v_bytes(size=4)
class FS_FILTER_CALLBACKS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SizeOfFsFilterCallbacks = v_uint32()
self.Reserved = v_uint32()
self.PreAcquireForSectionSynchronization = v_ptr32()
self.PostAcquireForSectionSynchronization = v_ptr32()
self.PreReleaseForSectionSynchronization = v_ptr32()
self.PostReleaseForSectionSynchronization = v_ptr32()
self.PreAcquireForCcFlush = v_ptr32()
self.PostAcquireForCcFlush = v_ptr32()
self.PreReleaseForCcFlush = v_ptr32()
self.PostReleaseForCcFlush = v_ptr32()
self.PreAcquireForModifiedPageWriter = v_ptr32()
self.PostAcquireForModifiedPageWriter = v_ptr32()
self.PreReleaseForModifiedPageWriter = v_ptr32()
self.PostReleaseForModifiedPageWriter = v_ptr32()
class LDR_DDAG_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Modules = LIST_ENTRY()
self.ServiceTagList = v_ptr32()
self.LoadCount = v_uint32()
self.ReferenceCount = v_uint32()
self.DependencyCount = v_uint32()
self.Dependencies = LDRP_CSLIST()
self.IncomingDependencies = LDRP_CSLIST()
self.State = v_uint32()
self.CondenseLink = SINGLE_LIST_ENTRY()
self.PreorderNumber = v_uint32()
self.LowestLink = v_uint32()
class _unnamed_28013(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Srb = v_ptr32()
class PROC_FEEDBACK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = v_uint32()
self._pad0008 = v_bytes(size=4)
self.CyclesLast = v_uint64()
self.CyclesActive = v_uint64()
self.Counters = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self.LastUpdateTime = v_uint64()
self.UnscaledTime = v_uint64()
self.UnaccountedTime = v_uint64()
self.ScaledTime = vstruct.VArray([ v_uint64() for i in xrange(2) ])
self.UnaccountedKernelTime = v_uint64()
self.PerformanceScaledKernelTime = v_uint64()
self.UserTimeLast = v_uint32()
self.KernelTimeLast = v_uint32()
self.KernelTimesIndex = v_uint8()
self._pad0068 = v_bytes(size=7)
class ETW_PMC_SUPPORT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Source = vstruct.VArray([ KPROFILE_SOURCE() for i in xrange(4) ])
self.HookIdCount = v_uint32()
self.HookId = vstruct.VArray([ v_uint16() for i in xrange(4) ])
self.CountersCount = v_uint32()
self.ProcessorCtrs = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class DBGKD_READ_WRITE_IO64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IoAddress = v_uint64()
self.DataSize = v_uint32()
self.DataValue = v_uint32()
class KENTROPY_TIMING_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EntropyCount = v_uint32()
self.Buffer = vstruct.VArray([ v_uint32() for i in xrange(64) ])
self.Dpc = KDPC()
self.LastDeliveredBuffer = v_uint32()
class HEAP_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Flags = v_uint8()
self.SmallTagIndex = v_uint8()
self.PreviousSize = v_uint16()
self.SegmentOffset = v_uint8()
self.UnusedBytes = v_uint8()
class WHEA_GENERIC_ERROR_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Reserved = v_uint8()
self.Enabled = v_uint8()
self.ErrStatusBlockLength = v_uint32()
self.RelatedErrorSourceId = v_uint32()
self.ErrStatusAddressSpaceID = v_uint8()
self.ErrStatusAddressBitWidth = v_uint8()
self.ErrStatusAddressBitOffset = v_uint8()
self.ErrStatusAddressAccessSize = v_uint8()
self.ErrStatusAddress = LARGE_INTEGER()
self.Notify = WHEA_NOTIFICATION_DESCRIPTOR()
class TIME_FIELDS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Year = v_uint16()
self.Month = v_uint16()
self.Day = v_uint16()
self.Hour = v_uint16()
self.Minute = v_uint16()
self.Second = v_uint16()
self.Milliseconds = v_uint16()
self.Weekday = v_uint16()
class WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_VALIDBITS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FRUId = v_uint8()
class _unnamed_27515(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self._pad0028 = v_bytes(size=32)
class IMAGE_OPTIONAL_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Magic = v_uint16()
self.MajorLinkerVersion = v_uint8()
self.MinorLinkerVersion = v_uint8()
self.SizeOfCode = v_uint32()
self.SizeOfInitializedData = v_uint32()
self.SizeOfUninitializedData = v_uint32()
self.AddressOfEntryPoint = v_uint32()
self.BaseOfCode = v_uint32()
self.BaseOfData = v_uint32()
self.ImageBase = v_uint32()
self.SectionAlignment = v_uint32()
self.FileAlignment = v_uint32()
self.MajorOperatingSystemVersion = v_uint16()
self.MinorOperatingSystemVersion = v_uint16()
self.MajorImageVersion = v_uint16()
self.MinorImageVersion = v_uint16()
self.MajorSubsystemVersion = v_uint16()
self.MinorSubsystemVersion = v_uint16()
self.Win32VersionValue = v_uint32()
self.SizeOfImage = v_uint32()
self.SizeOfHeaders = v_uint32()
self.CheckSum = v_uint32()
self.Subsystem = v_uint16()
self.DllCharacteristics = v_uint16()
self.SizeOfStackReserve = v_uint32()
self.SizeOfStackCommit = v_uint32()
self.SizeOfHeapReserve = v_uint32()
self.SizeOfHeapCommit = v_uint32()
self.LoaderFlags = v_uint32()
self.NumberOfRvaAndSizes = v_uint32()
self.DataDirectory = vstruct.VArray([ IMAGE_DATA_DIRECTORY() for i in xrange(16) ])
class SCSI_REQUEST_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class ARBITER_ADD_RESERVED_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReserveDevice = v_ptr32()
class VF_ADDRESS_RANGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = v_ptr32()
self.End = v_ptr32()
class STRING64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint16()
self.MaximumLength = v_uint16()
self._pad0008 = v_bytes(size=4)
self.Buffer = v_uint64()
class JOB_NOTIFICATION_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class WHEAP_WORK_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = LIST_ENTRY()
self.ListLock = v_uint32()
self.ItemCount = v_uint32()
self.Dpc = KDPC()
self.WorkItem = WORK_QUEUE_ITEM()
self.WorkRoutine = v_ptr32()
class _unnamed_28809(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PteFrame = v_uint32()
class FAST_MUTEX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.Owner = v_ptr32()
self.Contention = v_uint32()
self.Event = KEVENT()
self.OldIrql = v_uint32()
class AER_BRIDGE_DESCRIPTOR_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UncorrectableErrorMaskRW = v_uint16()
class MM_AVL_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BalancedRoot = MM_AVL_NODE()
self.DepthOfTree = v_uint32()
self.NodeHint = v_ptr32()
self.NodeFreeHint = v_ptr32()
class MM_SESSION_SPACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReferenceCount = v_uint32()
self.u = _unnamed_35601()
self.SessionId = v_uint32()
self.ProcessReferenceToSession = v_uint32()
self.ProcessList = LIST_ENTRY()
self.SessionPageDirectoryIndex = v_uint32()
self.NonPagablePages = v_uint32()
self.CommittedPages = v_uint32()
self.PagedPoolStart = v_ptr32()
self.PagedPoolEnd = v_ptr32()
self.SessionObject = v_ptr32()
self.SessionObjectHandle = v_ptr32()
self.SessionPoolAllocationFailures = vstruct.VArray([ v_uint32() for i in xrange(4) ])
self.ImageList = LIST_ENTRY()
self.LocaleId = v_uint32()
self.AttachCount = v_uint32()
self.AttachGate = KGATE()
self.WsListEntry = LIST_ENTRY()
self._pad0080 = v_bytes(size=20)
self.Lookaside = vstruct.VArray([ GENERAL_LOOKASIDE() for i in xrange(24) ])
self.Session = MMSESSION()
self.PagedPoolInfo = MM_PAGED_POOL_INFO()
self.Vm = MMSUPPORT()
self.Wsle = v_ptr32()
self.DriverUnload = MI_SESSION_DRIVER_UNLOAD()
self._pad0d80 = v_bytes(size=28)
self.PagedPool = POOL_DESCRIPTOR()
self.PageTables = v_ptr32()
self._pad1ec8 = v_bytes(size=4)
self.SpecialPool = MI_SPECIAL_POOL()
self.SessionPteLock = FAST_MUTEX()
self.PoolBigEntriesInUse = v_uint32()
self.PagedPoolPdeCount = v_uint32()
self.SpecialPoolPdeCount = v_uint32()
self.DynamicSessionPdeCount = v_uint32()
self.SystemPteInfo = MI_SYSTEM_PTE_TYPE()
self.PoolTrackTableExpansion = v_ptr32()
self.PoolTrackTableExpansionSize = v_uint32()
self.PoolTrackBigPages = v_ptr32()
self.PoolTrackBigPagesSize = v_uint32()
self.IoState = v_uint32()
self.IoStateSequence = v_uint32()
self.IoNotificationEvent = KEVENT()
self.SessionPoolPdes = RTL_BITMAP()
self._pad1fc0 = v_bytes(size=28)
class WHEA_ERROR_RECORD_HEADER_VALIDBITS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PlatformId = v_uint32()
class CM_NAME_CONTROL_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Compressed = v_uint32()
self.NameHash = CM_NAME_HASH()
class _unnamed_27770(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Create = _unnamed_27833()
class KDEVICE_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.DeviceListHead = LIST_ENTRY()
self.Lock = v_uint32()
self.Busy = v_uint8()
self._pad0014 = v_bytes(size=3)
class ARBITER_RETEST_ALLOCATION_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ArbitrationList = v_ptr32()
self.AllocateFromCount = v_uint32()
self.AllocateFrom = v_ptr32()
class NT_TIB32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionList = v_uint32()
self.StackBase = v_uint32()
self.StackLimit = v_uint32()
self.SubSystemTib = v_uint32()
self.FiberData = v_uint32()
self.ArbitraryUserPointer = v_uint32()
self.Self = v_uint32()
class ALPC_COMPLETION_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Entry = LIST_ENTRY()
self.OwnerProcess = v_ptr32()
self.CompletionListLock = EX_PUSH_LOCK()
self.Mdl = v_ptr32()
self.UserVa = v_ptr32()
self.UserLimit = v_ptr32()
self.DataUserVa = v_ptr32()
self.SystemVa = v_ptr32()
self.TotalSize = v_uint32()
self.Header = v_ptr32()
self.List = v_ptr32()
self.ListSize = v_uint32()
self.Bitmap = v_ptr32()
self.BitmapSize = v_uint32()
self.Data = v_ptr32()
self.DataSize = v_uint32()
self.BitmapLimit = v_uint32()
self.BitmapNextHint = v_uint32()
self.ConcurrencyCount = v_uint32()
self.AttributeFlags = v_uint32()
self.AttributeSize = v_uint32()
class _unnamed_34392(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Notification = v_ptr32()
class PORT_MESSAGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u1 = _unnamed_30748()
self.u2 = _unnamed_30749()
self.ClientId = CLIENT_ID()
self.MessageId = v_uint32()
self.ClientViewSize = v_uint32()
class RELATIVE_SYMLINK_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExposedNamespaceLength = v_uint16()
self.Flags = v_uint16()
self.DeviceNameLength = v_uint16()
self.Reserved = v_uint16()
self.InteriorMountPoint = v_ptr32()
self.OpenedName = UNICODE_STRING()
class MI_VAD_EVENT_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.WaitReason = v_uint32()
self.Gate = KGATE()
class IO_SECURITY_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityQos = v_ptr32()
self.AccessState = v_ptr32()
self.DesiredAccess = v_uint32()
self.FullCreateOptions = v_uint32()
class TERMINATION_PORT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.Port = v_ptr32()
class VF_AVL_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RtlTable = RTL_AVL_TABLE()
self.ReservedNode = v_ptr32()
self.NodeToFree = v_ptr32()
self.Lock = v_uint32()
self._pad0080 = v_bytes(size=60)
class POP_FX_DEVICE_STATUS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Value = v_uint32()
class IO_CLIENT_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NextExtension = v_ptr32()
self.ClientIdentificationAddress = v_ptr32()
class INITIAL_PRIVILEGE_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PrivilegeCount = v_uint32()
self.Control = v_uint32()
self.Privilege = vstruct.VArray([ LUID_AND_ATTRIBUTES() for i in xrange(3) ])
class OBJECT_REF_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ObjectHeader = v_ptr32()
self.NextRef = v_ptr32()
self.ImageFileName = vstruct.VArray([ v_uint8() for i in xrange(16) ])
self.NextPos = v_uint16()
self.MaxStacks = v_uint16()
self.StackInfo = vstruct.VArray([ OBJECT_REF_STACK_INFO() for i in xrange(0) ])
class GENERAL_LOOKASIDE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = SLIST_HEADER()
self.Depth = v_uint16()
self.MaximumDepth = v_uint16()
self.TotalAllocates = v_uint32()
self.AllocateMisses = v_uint32()
self.TotalFrees = v_uint32()
self.FreeMisses = v_uint32()
self.Type = v_uint32()
self.Tag = v_uint32()
self.Size = v_uint32()
self.AllocateEx = v_ptr32()
self.FreeEx = v_ptr32()
self.ListEntry = LIST_ENTRY()
self.LastTotalAllocates = v_uint32()
self.LastAllocateMisses = v_uint32()
self.Future = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self._pad0080 = v_bytes(size=56)
class POP_PER_PROCESSOR_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UncompressedData = v_ptr32()
self.MappingVa = v_ptr32()
self.XpressEncodeWorkspace = v_ptr32()
self.CompressedDataBuffer = v_ptr32()
self.CopyTicks = v_uint64()
self.CompressTicks = v_uint64()
self.BytesCopied = v_uint64()
self.PagesProcessed = v_uint64()
self.DecompressTicks = v_uint64()
self.ResumeCopyTicks = v_uint64()
self.SharedBufferTicks = v_uint64()
self.DecompressTicksByMethod = vstruct.VArray([ v_uint64() for i in xrange(2) ])
self.DecompressSizeByMethod = vstruct.VArray([ v_uint64() for i in xrange(2) ])
self.CompressCount = v_uint32()
self.HuffCompressCount = v_uint32()
class DBGKD_QUERY_SPECIAL_CALLS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NumberOfSpecialCalls = v_uint32()
class WHEA_ERROR_RECORD_HEADER_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Recovered = v_uint32()
class KTIMER_TABLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = v_uint32()
self.Entry = LIST_ENTRY()
self._pad0010 = v_bytes(size=4)
self.Time = ULARGE_INTEGER()
class HMAP_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BlockAddress = v_uint32()
self.BinAddress = v_uint32()
self.MemAlloc = v_uint32()
class DUMP_STACK_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Init = DUMP_INITIALIZATION_CONTEXT()
self.PartitionOffset = LARGE_INTEGER()
self.DumpPointers = v_ptr32()
self.PointersLength = v_uint32()
self.ModulePrefix = v_ptr32()
self.DriverList = LIST_ENTRY()
self.InitMsg = STRING()
self.ProgMsg = STRING()
self.DoneMsg = STRING()
self.FileObject = v_ptr32()
self.UsageType = v_uint32()
self._pad0100 = v_bytes(size=4)
class PNP_DEVICE_EVENT_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Status = v_uint32()
self.EventQueueMutex = KMUTANT()
self.Lock = FAST_MUTEX()
self.List = LIST_ENTRY()
class VF_BTS_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.JumpedFrom = v_ptr32()
self.JumpedTo = v_ptr32()
self.Unused1 = v_uint32()
class KWAIT_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WaitListEntry = LIST_ENTRY()
self.WaitType = v_uint8()
self.BlockState = v_uint8()
self.WaitKey = v_uint16()
self.Thread = v_ptr32()
self.Object = v_ptr32()
self.SparePtr = v_ptr32()
class DBGKD_READ_WRITE_IO32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DataSize = v_uint32()
self.IoAddress = v_uint32()
self.DataValue = v_uint32()
class POP_HIBER_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Reset = v_uint8()
self.HiberFlags = v_uint8()
self.WroteHiberFile = v_uint8()
self.VerifyKernelPhaseOnResume = v_uint8()
self.KernelPhaseVerificationActive = v_uint8()
self.InitializationFinished = v_uint8()
self._pad0008 = v_bytes(size=2)
self.NextTableLockHeld = v_uint32()
self.BootPhaseFinishedBarrier = v_uint32()
self.KernelResumeFinishedBarrier = v_uint32()
self.MapFrozen = v_uint8()
self._pad0018 = v_bytes(size=3)
self.DiscardMap = RTL_BITMAP()
self.BootPhaseMap = RTL_BITMAP()
self.ClonedRanges = LIST_ENTRY()
self.ClonedRangeCount = v_uint32()
self._pad0038 = v_bytes(size=4)
self.ClonedPageCount = v_uint64()
self.CurrentMap = v_ptr32()
self.NextCloneRange = v_ptr32()
self.NextPreserve = v_uint32()
self.LoaderMdl = v_ptr32()
self.AllocatedMdl = v_ptr32()
self._pad0058 = v_bytes(size=4)
self.PagesOut = v_uint64()
self.IoPages = v_ptr32()
self.IoPagesCount = v_uint32()
self.CurrentMcb = v_ptr32()
self.DumpStack = v_ptr32()
self.WakeState = v_ptr32()
self.IoProgress = v_uint32()
self.Status = v_uint32()
self.GraphicsProc = v_uint32()
self.MemoryImage = v_ptr32()
self.PerformanceStats = v_ptr32()
self.BootLoaderLogMdl = v_ptr32()
self.SiLogOffset = v_uint32()
self.FirmwareRuntimeInformationMdl = v_ptr32()
self.FirmwareRuntimeInformationVa = v_ptr32()
self.ResumeContext = v_ptr32()
self.ResumeContextPages = v_uint32()
self.ProcessorCount = v_uint32()
self.ProcessorContext = v_ptr32()
self.ProdConsBuffer = v_ptr32()
self.ProdConsSize = v_uint32()
self.MaxDataPages = v_uint32()
self.ExtraBuffer = v_ptr32()
self.ExtraBufferSize = v_uint32()
self.ExtraMapVa = v_ptr32()
self.BitlockerKeyPFN = v_uint32()
self._pad00c8 = v_bytes(size=4)
self.IoInfo = POP_IO_INFO()
self.HardwareConfigurationSignature = v_uint32()
self._pad0120 = v_bytes(size=4)
class _unnamed_33210(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceClass = _unnamed_34384()
self._pad0020 = v_bytes(size=12)
class ARMCE_DBGKD_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Continue = v_uint32()
self.CurrentSymbolStart = v_uint32()
self.CurrentSymbolEnd = v_uint32()
class ACTIVATION_CONTEXT_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class MMPTE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Valid = v_uint64()
class RTL_BALANCED_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Children = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self.Red = v_uint8()
self._pad000c = v_bytes(size=3)
class FILE_NETWORK_OPEN_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CreationTime = LARGE_INTEGER()
self.LastAccessTime = LARGE_INTEGER()
self.LastWriteTime = LARGE_INTEGER()
self.ChangeTime = LARGE_INTEGER()
self.AllocationSize = LARGE_INTEGER()
self.EndOfFile = LARGE_INTEGER()
self.FileAttributes = v_uint32()
self._pad0038 = v_bytes(size=4)
class PROCESSOR_NUMBER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Group = v_uint16()
self.Number = v_uint8()
self.Reserved = v_uint8()
class RTL_DRIVE_LETTER_CURDIR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint16()
self.Length = v_uint16()
self.TimeStamp = v_uint32()
self.DosPath = STRING()
class WHEAP_ERROR_RECORD_WRAPPER_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Preallocated = v_uint32()
class VF_TRACKER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TrackerFlags = v_uint32()
self.TrackerSize = v_uint32()
self.TrackerIndex = v_uint32()
self.TraceDepth = v_uint32()
class CACHE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Level = v_uint8()
self.Associativity = v_uint8()
self.LineSize = v_uint16()
self.Size = v_uint32()
self.Type = v_uint32()
class VF_BTS_DATA_MANAGEMENT_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BTSBufferBase = v_ptr32()
self.BTSIndex = v_ptr32()
self.BTSMax = v_ptr32()
self.BTSInterruptThreshold = v_ptr32()
self.PEBSBufferBase = v_ptr32()
self.PEBSIndex = v_ptr32()
self.PEBSMax = v_ptr32()
self.PEBSInterruptThreshold = v_ptr32()
self.PEBSCounterReset = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(12) ])
class ARBITER_QUERY_ARBITRATE_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ArbitrationList = v_ptr32()
class _unnamed_34134(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length64 = v_uint32()
self.Alignment64 = v_uint32()
self.MinimumAddress = LARGE_INTEGER()
self.MaximumAddress = LARGE_INTEGER()
class TXN_PARAMETER_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint16()
self.TxFsContext = v_uint16()
self.TransactionObject = v_ptr32()
class ULARGE_INTEGER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.HighPart = v_uint32()
class TEB_ACTIVE_FRAME(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.Previous = v_ptr32()
self.Context = v_ptr32()
class ETIMER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.KeTimer = KTIMER()
self.Lock = v_uint32()
self.TimerApc = KAPC()
self.TimerDpc = KDPC()
self.ActiveTimerListEntry = LIST_ENTRY()
self.Period = v_uint32()
self.TimerFlags = v_uint8()
self.DueTimeType = v_uint8()
self.Spare2 = v_uint16()
self.WakeReason = v_ptr32()
self.WakeTimerListEntry = LIST_ENTRY()
self.VirtualizedTimerCookie = v_ptr32()
self.VirtualizedTimerLinks = LIST_ENTRY()
self._pad00a8 = v_bytes(size=4)
self.DueTime = v_uint64()
self.CoalescingWindow = v_uint32()
self._pad00b8 = v_bytes(size=4)
class DBGKD_LOAD_SYMBOLS64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PathNameLength = v_uint32()
self._pad0008 = v_bytes(size=4)
self.BaseOfDll = v_uint64()
self.ProcessId = v_uint64()
self.CheckSum = v_uint32()
self.SizeOfImage = v_uint32()
self.UnloadSymbols = v_uint8()
self._pad0028 = v_bytes(size=7)
class _unnamed_34139(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Class = v_uint8()
self.Type = v_uint8()
self.Reserved1 = v_uint8()
self.Reserved2 = v_uint8()
self.IdLowPart = v_uint32()
self.IdHighPart = v_uint32()
class _unnamed_28834(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReferenceCount = v_uint16()
self.ShortFlags = v_uint16()
class FREE_DISPLAY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RealVectorSize = v_uint32()
self.Hint = v_uint32()
self.Display = RTL_BITMAP()
class _unnamed_30210(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReadMemory = DBGKD_READ_MEMORY32()
self._pad0028 = v_bytes(size=28)
class POP_FX_COMPONENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Id = GUID()
self.Index = v_uint32()
self.WorkOrder = POP_FX_WORK_ORDER()
self.Device = v_ptr32()
self.Flags = POP_FX_COMPONENT_FLAGS()
self.Resident = v_uint32()
self.ActiveEvent = KEVENT()
self.IdleLock = v_uint32()
self.IdleConditionComplete = v_uint32()
self.IdleStateComplete = v_uint32()
self._pad0058 = v_bytes(size=4)
self.IdleStamp = v_uint64()
self.CurrentIdleState = v_uint32()
self.IdleStateCount = v_uint32()
self.IdleStates = v_ptr32()
self.DeepestWakeableIdleState = v_uint32()
self.ProviderCount = v_uint32()
self.Providers = v_ptr32()
self.IdleProviderCount = v_uint32()
self.DependentCount = v_uint32()
self.Dependents = v_ptr32()
self._pad0088 = v_bytes(size=4)
class MM_PAGE_ACCESS_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = MM_PAGE_ACCESS_INFO_FLAGS()
self.PointerProtoPte = v_ptr32()
class ARBITER_ORDERING_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint16()
self.Maximum = v_uint16()
self.Orderings = v_ptr32()
class _unnamed_25455(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.HighPart = v_uint32()
class OBJECT_DIRECTORY_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ChainLink = v_ptr32()
self.Object = v_ptr32()
self.HashValue = v_uint32()
class DEVICE_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.ReferenceCount = v_uint32()
self.DriverObject = v_ptr32()
self.NextDevice = v_ptr32()
self.AttachedDevice = v_ptr32()
self.CurrentIrp = v_ptr32()
self.Timer = v_ptr32()
self.Flags = v_uint32()
self.Characteristics = v_uint32()
self.Vpb = v_ptr32()
self.DeviceExtension = v_ptr32()
self.DeviceType = v_uint32()
self.StackSize = v_uint8()
self._pad0034 = v_bytes(size=3)
self.Queue = _unnamed_27515()
self.AlignmentRequirement = v_uint32()
self.DeviceQueue = KDEVICE_QUEUE()
self.Dpc = KDPC()
self.ActiveThreadCount = v_uint32()
self.SecurityDescriptor = v_ptr32()
self.DeviceLock = KEVENT()
self.SectorSize = v_uint16()
self.Spare1 = v_uint16()
self.DeviceObjectExtension = v_ptr32()
self.Reserved = v_ptr32()
class CM_KEY_HASH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ConvKey = v_uint32()
self.NextHash = v_ptr32()
self.KeyHive = v_ptr32()
self.KeyCell = v_uint32()
class PPM_CONCURRENCY_ACCOUNTING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = v_uint32()
self.Processors = v_uint32()
self.ActiveProcessors = v_uint32()
self._pad0010 = v_bytes(size=4)
self.LastUpdateTime = v_uint64()
self.TotalTime = v_uint64()
self.AccumulatedTime = vstruct.VArray([ v_uint64() for i in xrange(1) ])
class KTMNOTIFICATION_PACKET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class ARBITER_LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.AlternativeCount = v_uint32()
self.Alternatives = v_ptr32()
self.PhysicalDeviceObject = v_ptr32()
self.RequestSource = v_uint32()
self.Flags = v_uint32()
self.WorkSpace = v_uint32()
self.InterfaceType = v_uint32()
self.SlotNumber = v_uint32()
self.BusNumber = v_uint32()
self.Assignment = v_ptr32()
self.SelectedAlternative = v_ptr32()
self.Result = v_uint32()
class _unnamed_30634(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CriticalSection = RTL_CRITICAL_SECTION()
self._pad0038 = v_bytes(size=32)
class _unnamed_33507(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFlags = v_uint32()
class PROC_PERF_HISTORY_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Utility = v_uint16()
self.AffinitizedUtility = v_uint16()
self.Frequency = v_uint8()
self.Reserved = v_uint8()
class KGDTENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LimitLow = v_uint16()
self.BaseLow = v_uint16()
self.HighWord = _unnamed_26252()
class MMPFNENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PageLocation = v_uint8()
self.Priority = v_uint8()
class WHEA_IPF_CPE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.Reserved = v_uint8()
class NT_TIB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionList = v_ptr32()
self.StackBase = v_ptr32()
self.StackLimit = v_ptr32()
self.SubSystemTib = v_ptr32()
self.FiberData = v_ptr32()
self.ArbitraryUserPointer = v_ptr32()
self.Self = v_ptr32()
class MI_SESSION_DRIVER_UNLOAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Function = v_ptr32()
class ARBITER_TEST_ALLOCATION_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ArbitrationList = v_ptr32()
self.AllocateFromCount = v_uint32()
self.AllocateFrom = v_ptr32()
class POWER_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SystemState = v_uint32()
class MI_CONTROL_AREA_WAIT_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.WaitReason = v_uint32()
self.WaitResponse = v_uint32()
self.Gate = KGATE()
class UNICODE_STRING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint16()
self.MaximumLength = v_uint16()
self.Buffer = v_ptr32()
class CELL_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u = u()
class NONOPAQUE_OPLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IrpExclusiveOplock = v_ptr32()
self.FileObject = v_ptr32()
self.ExclusiveOplockOwner = v_ptr32()
self.ExclusiveOplockOwnerThread = v_ptr32()
self.WaiterPriority = v_uint8()
self._pad0014 = v_bytes(size=3)
self.IrpOplocksR = LIST_ENTRY()
self.IrpOplocksRH = LIST_ENTRY()
self.RHBreakQueue = LIST_ENTRY()
self.WaitingIrps = LIST_ENTRY()
self.DelayAckFileObjectQueue = LIST_ENTRY()
self.AtomicQueue = LIST_ENTRY()
self.DeleterParentKey = v_ptr32()
self.OplockState = v_uint32()
self.FastMutex = v_ptr32()
class HEAP_LIST_LOOKUP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExtendedLookup = v_ptr32()
self.ArraySize = v_uint32()
self.ExtraItem = v_uint32()
self.ItemCount = v_uint32()
self.OutOfRangeItems = v_uint32()
self.BaseIndex = v_uint32()
self.ListHead = v_ptr32()
self.ListsInUseUlong = v_ptr32()
self.ListHints = v_ptr32()
class CM_KEY_SECURITY_CACHE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Cell = v_uint32()
self.ConvKey = v_uint32()
self.List = LIST_ENTRY()
self.DescriptorLength = v_uint32()
self.RealRefCount = v_uint32()
self.Descriptor = SECURITY_DESCRIPTOR_RELATIVE()
class _unnamed_35601(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFlags = v_uint32()
class DUMMY_FILE_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ObjectHeader = OBJECT_HEADER()
self.FileObjectBody = vstruct.VArray([ v_uint8() for i in xrange(128) ])
class COMPRESSED_DATA_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CompressionFormatAndEngine = v_uint16()
self.CompressionUnitShift = v_uint8()
self.ChunkShift = v_uint8()
self.ClusterShift = v_uint8()
self.Reserved = v_uint8()
self.NumberOfChunks = v_uint16()
self.CompressedChunkSizes = vstruct.VArray([ v_uint32() for i in xrange(1) ])
class SID_AND_ATTRIBUTES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Sid = v_ptr32()
self.Attributes = v_uint32()
class CM_RM(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RmListEntry = LIST_ENTRY()
self.TransactionListHead = LIST_ENTRY()
self.TmHandle = v_ptr32()
self.Tm = v_ptr32()
self.RmHandle = v_ptr32()
self.KtmRm = v_ptr32()
self.RefCount = v_uint32()
self.ContainerNum = v_uint32()
self.ContainerSize = v_uint64()
self.CmHive = v_ptr32()
self.LogFileObject = v_ptr32()
self.MarshallingContext = v_ptr32()
self.RmFlags = v_uint32()
self.LogStartStatus1 = v_uint32()
self.LogStartStatus2 = v_uint32()
self.BaseLsn = v_uint64()
self.RmLock = v_ptr32()
self._pad0058 = v_bytes(size=4)
class MI_USER_VA_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NumberOfCommittedPageTables = v_uint32()
self.PhysicalMappingCount = v_uint32()
self.VadBitMapHint = v_uint32()
self.LastAllocationSizeHint = v_uint32()
self.LastAllocationSize = v_uint32()
self.LowestBottomUpVadBit = v_uint32()
self.VadBitMapSize = v_uint32()
self.MaximumLastVadBit = v_uint32()
self.VadsBeingDeleted = v_uint32()
self.LastVadDeletionEvent = v_ptr32()
self.VadBitBuffer = v_ptr32()
self.LowestBottomUpAllocationAddress = v_ptr32()
self.HighestTopDownAllocationAddress = v_ptr32()
self.FreeTebHint = v_ptr32()
self.PrivateFixupVadCount = v_uint32()
self.UsedPageTableEntries = vstruct.VArray([ v_uint16() for i in xrange(1536) ])
self.CommittedPageTables = vstruct.VArray([ v_uint32() for i in xrange(48) ])
class COLORED_PAGE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BeingZeroed = v_uint32()
self.Processor = v_uint32()
self.PagesQueued = v_uint32()
self.PfnAllocation = v_ptr32()
class EPROCESS_QUOTA_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class _unnamed_27849(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityContext = v_ptr32()
self.Options = v_uint32()
self.Reserved = v_uint16()
self.ShareAccess = v_uint16()
self.Parameters = v_ptr32()
class PHYSICAL_MEMORY_RUN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BasePage = v_uint32()
self.PageCount = v_uint32()
class FILE_SEGMENT_ELEMENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Buffer = v_ptr64()
class _unnamed_28106(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = v_uint8()
class PENDING_RELATIONS_LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.WorkItem = WORK_QUEUE_ITEM()
self.DeviceEvent = v_ptr32()
self.DeviceObject = v_ptr32()
self.RelationsList = v_ptr32()
self.EjectIrp = v_ptr32()
self.Lock = v_uint32()
self.Problem = v_uint32()
self.ProfileChangingEject = v_uint8()
self.DisplaySafeRemovalDialog = v_uint8()
self._pad0034 = v_bytes(size=2)
self.LightestSleepState = v_uint32()
self.DockInterface = v_ptr32()
class LDRP_DLL_SNAP_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class OBJECT_HEADER_NAME_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Directory = v_ptr32()
self.Name = UNICODE_STRING()
self.ReferenceCount = v_uint32()
class ACCESS_REASONS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Data = vstruct.VArray([ v_uint32() for i in xrange(32) ])
class CM_KCB_UOW(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TransactionListEntry = LIST_ENTRY()
self.KCBLock = v_ptr32()
self.KeyLock = v_ptr32()
self.KCBListEntry = LIST_ENTRY()
self.KeyControlBlock = v_ptr32()
self.Transaction = v_ptr32()
self.UoWState = v_uint32()
self.ActionType = v_uint32()
self.StorageType = v_uint32()
self._pad0030 = v_bytes(size=4)
self.ChildKCB = v_ptr32()
self.NewValueCell = v_uint32()
class DBGKD_ANY_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.X86ControlSet = X86_DBGKD_CONTROL_SET()
self._pad001c = v_bytes(size=12)
class _unnamed_28115(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IdType = v_uint32()
class MMSUPPORT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkingSetMutex = EX_PUSH_LOCK()
self.ExitGate = v_ptr32()
self.AccessLog = v_ptr32()
self.WorkingSetExpansionLinks = LIST_ENTRY()
self.AgeDistribution = vstruct.VArray([ v_uint32() for i in xrange(7) ])
self.MinimumWorkingSetSize = v_uint32()
self.WorkingSetSize = v_uint32()
self.WorkingSetPrivateSize = v_uint32()
self.MaximumWorkingSetSize = v_uint32()
self.ChargedWslePages = v_uint32()
self.ActualWslePages = v_uint32()
self.WorkingSetSizeOverhead = v_uint32()
self.PeakWorkingSetSize = v_uint32()
self.HardFaultCount = v_uint32()
self.VmWorkingSetList = v_ptr32()
self.NextPageColor = v_uint16()
self.LastTrimStamp = v_uint16()
self.PageFaultCount = v_uint32()
self.TrimmedPageCount = v_uint32()
self.ForceTrimPages = v_uint32()
self.Flags = MMSUPPORT_FLAGS()
self.WsSwapSupport = v_ptr32()
class LOGGED_STREAM_CALLBACK_V2(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LogHandleContext = v_ptr32()
class POP_IRP_WORKER_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.Thread = v_ptr32()
self.Irp = v_ptr32()
self.Device = v_ptr32()
self.Static = v_uint8()
self._pad0018 = v_bytes(size=3)
class HBASE_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Sequence1 = v_uint32()
self.Sequence2 = v_uint32()
self.TimeStamp = LARGE_INTEGER()
self.Major = v_uint32()
self.Minor = v_uint32()
self.Type = v_uint32()
self.Format = v_uint32()
self.RootCell = v_uint32()
self.Length = v_uint32()
self.Cluster = v_uint32()
self.FileName = vstruct.VArray([ v_uint8() for i in xrange(64) ])
self.RmId = GUID()
self.LogId = GUID()
self.Flags = v_uint32()
self.TmId = GUID()
self.GuidSignature = v_uint32()
self.LastReorganizeTime = v_uint64()
self.Reserved1 = vstruct.VArray([ v_uint32() for i in xrange(83) ])
self.CheckSum = v_uint32()
self.Reserved2 = vstruct.VArray([ v_uint32() for i in xrange(882) ])
self.ThawTmId = GUID()
self.ThawRmId = GUID()
self.ThawLogId = GUID()
self.BootType = v_uint32()
self.BootRecover = v_uint32()
class _unnamed_30882(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_30991()
class BUS_EXTENSION_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.BusExtension = v_ptr32()
class _unnamed_30748(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_30750()
class _unnamed_30749(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s2 = _unnamed_30755()
class MMVAD_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VadType = v_uint32()
class DBGKD_GET_SET_BUS_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BusDataType = v_uint32()
self.BusNumber = v_uint32()
self.SlotNumber = v_uint32()
self.Offset = v_uint32()
self.Length = v_uint32()
class _unnamed_28101(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WhichSpace = v_uint32()
self.Buffer = v_ptr32()
self.Offset = v_uint32()
self.Length = v_uint32()
class KDPC(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint8()
self.Importance = v_uint8()
self.Number = v_uint16()
self.DpcListEntry = LIST_ENTRY()
self.DeferredRoutine = v_ptr32()
self.DeferredContext = v_ptr32()
self.SystemArgument1 = v_ptr32()
self.SystemArgument2 = v_ptr32()
self.DpcData = v_ptr32()
class EVENT_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.HeaderType = v_uint16()
self.Flags = v_uint16()
self.EventProperty = v_uint16()
self.ThreadId = v_uint32()
self.ProcessId = v_uint32()
self.TimeStamp = LARGE_INTEGER()
self.ProviderId = GUID()
self.EventDescriptor = EVENT_DESCRIPTOR()
self.KernelTime = v_uint32()
self.UserTime = v_uint32()
self.ActivityId = GUID()
class HAL_PMC_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class KEVENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
class KRESOURCEMANAGER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationAvailable = KEVENT()
self.cookie = v_uint32()
self.State = v_uint32()
self.Flags = v_uint32()
self.Mutex = KMUTANT()
self.NamespaceLink = KTMOBJECT_NAMESPACE_LINK()
self.RmId = GUID()
self.NotificationQueue = KQUEUE()
self.NotificationMutex = KMUTANT()
self.EnlistmentHead = LIST_ENTRY()
self.EnlistmentCount = v_uint32()
self.NotificationRoutine = v_ptr32()
self.Key = v_ptr32()
self.ProtocolListHead = LIST_ENTRY()
self.PendingPropReqListHead = LIST_ENTRY()
self.CRMListEntry = LIST_ENTRY()
self.Tm = v_ptr32()
self.Description = UNICODE_STRING()
self.Enlistments = KTMOBJECT_NAMESPACE()
self.CompletionBinding = KRESOURCEMANAGER_COMPLETION_BINDING()
class CM_NAME_HASH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ConvKey = v_uint32()
self.NextHash = v_ptr32()
self.NameLength = v_uint16()
self.Name = vstruct.VArray([ v_uint16() for i in xrange(1) ])
class MM_PAGE_ACCESS_INFO_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = SINGLE_LIST_ENTRY()
self.Type = v_uint32()
self.EmptySequenceNumber = v_uint32()
self._pad0010 = v_bytes(size=4)
self.CreateTime = v_uint64()
self.EmptyTime = v_uint64()
self.PageEntry = v_ptr32()
self.FileEntry = v_ptr32()
self.FirstFileEntry = v_ptr32()
self.Process = v_ptr32()
self.SessionId = v_uint32()
self._pad0038 = v_bytes(size=4)
class IMAGE_DEBUG_DIRECTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Characteristics = v_uint32()
self.TimeDateStamp = v_uint32()
self.MajorVersion = v_uint16()
self.MinorVersion = v_uint16()
self.Type = v_uint32()
self.SizeOfData = v_uint32()
self.AddressOfRawData = v_uint32()
self.PointerToRawData = v_uint32()
class MCGEN_TRACE_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RegistrationHandle = v_uint64()
self.Logger = v_uint64()
self.MatchAnyKeyword = v_uint64()
self.MatchAllKeyword = v_uint64()
self.Flags = v_uint32()
self.IsEnabled = v_uint32()
self.Level = v_uint8()
self.Reserve = v_uint8()
self.EnableBitsCount = v_uint16()
self.EnableBitMask = v_ptr32()
self.EnableKeyWords = v_ptr32()
self.EnableLevel = v_ptr32()
class _unnamed_27733(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AsynchronousParameters = _unnamed_27748()
class CM_INTENT_LOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OwnerCount = v_uint32()
self.OwnerTable = v_ptr32()
class KWAIT_STATUS_REGISTER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint8()
class _unnamed_34980(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.bits = _unnamed_36838()
class LAZY_WRITER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ScanDpc = KDPC()
self.ScanTimer = KTIMER()
self.ScanActive = v_uint8()
self.OtherWork = v_uint8()
self.PendingTeardownScan = v_uint8()
self.PendingPeriodicScan = v_uint8()
self.PendingLowMemoryScan = v_uint8()
self.PendingPowerScan = v_uint8()
self.PendingCoalescingFlushScan = v_uint8()
self._pad0050 = v_bytes(size=1)
class KALPC_SECURITY_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HandleTable = v_ptr32()
self.ContextHandle = v_ptr32()
self.OwningProcess = v_ptr32()
self.OwnerPort = v_ptr32()
self.DynamicSecurity = SECURITY_CLIENT_CONTEXT()
self.u1 = _unnamed_31167()
class RELATION_LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.MaxCount = v_uint32()
self.Devices = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class DBGKD_SET_INTERNAL_BREAKPOINT32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakpointAddress = v_uint32()
self.Flags = v_uint32()
class THERMAL_INFORMATION_EX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ThermalStamp = v_uint32()
self.ThermalConstant1 = v_uint32()
self.ThermalConstant2 = v_uint32()
self.SamplingPeriod = v_uint32()
self.CurrentTemperature = v_uint32()
self.PassiveTripPoint = v_uint32()
self.CriticalTripPoint = v_uint32()
self.ActiveTripPointCount = v_uint8()
self._pad0020 = v_bytes(size=3)
self.ActiveTripPoint = vstruct.VArray([ v_uint32() for i in xrange(10) ])
self.S4TransitionTripPoint = v_uint32()
class POP_THERMAL_ZONE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.State = v_uint8()
self.Flags = v_uint8()
self.Mode = v_uint8()
self.PendingMode = v_uint8()
self.ActivePoint = v_uint8()
self.PendingActivePoint = v_uint8()
self._pad0010 = v_bytes(size=2)
self.HighPrecisionThrottle = v_uint32()
self.Throttle = v_uint32()
self.PendingThrottle = v_uint32()
self._pad0020 = v_bytes(size=4)
self.ThrottleStartTime = v_uint64()
self.LastTime = v_uint64()
self.SampleRate = v_uint32()
self.LastTemp = v_uint32()
self.PassiveTimer = KTIMER()
self.PassiveDpc = KDPC()
self.OverThrottled = POP_ACTION_TRIGGER()
self.Irp = v_ptr32()
self.Info = THERMAL_INFORMATION_EX()
self.InfoLastUpdateTime = LARGE_INTEGER()
self.Metrics = POP_THERMAL_ZONE_METRICS()
class POOL_HACKER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = POOL_HEADER()
self.Contents = vstruct.VArray([ v_uint32() for i in xrange(8) ])
class IO_REMOVE_LOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Common = IO_REMOVE_LOCK_COMMON_BLOCK()
class HANDLE_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NextHandleNeedingPool = v_uint32()
self.ExtraInfoPages = v_uint32()
self.TableCode = v_uint32()
self.QuotaProcess = v_ptr32()
self.HandleTableList = LIST_ENTRY()
self.UniqueProcessId = v_uint32()
self.Flags = v_uint32()
self.HandleContentionEvent = EX_PUSH_LOCK()
self.HandleTableLock = EX_PUSH_LOCK()
self.FreeLists = vstruct.VArray([ HANDLE_TABLE_FREE_LIST() for i in xrange(1) ])
class PO_HIBER_PERF(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HiberIoTicks = v_uint64()
self.HiberIoCpuTicks = v_uint64()
self.HiberInitTicks = v_uint64()
self.HiberHiberFileTicks = v_uint64()
self.HiberCompressTicks = v_uint64()
self.HiberSharedBufferTicks = v_uint64()
self.TotalHibernateTime = LARGE_INTEGER()
self.POSTTime = v_uint32()
self.ResumeBootMgrTime = v_uint32()
self.BootmgrUserInputTime = v_uint32()
self._pad0048 = v_bytes(size=4)
self.ResumeAppTicks = v_uint64()
self.ResumeAppStartTimestamp = v_uint64()
self.ResumeLibraryInitTicks = v_uint64()
self.ResumeInitTicks = v_uint64()
self.ResumeRestoreImageStartTimestamp = v_uint64()
self.ResumeHiberFileTicks = v_uint64()
self.ResumeIoTicks = v_uint64()
self.ResumeDecompressTicks = v_uint64()
self.ResumeAllocateTicks = v_uint64()
self.ResumeUserInOutTicks = v_uint64()
self.ResumeMapTicks = v_uint64()
self.ResumeUnmapTicks = v_uint64()
self.ResumeKernelSwitchTimestamp = v_uint64()
self.WriteLogDataTimestamp = v_uint64()
self.KernelReturnFromHandler = v_uint64()
self.TimeStampCounterAtSwitchTime = v_uint64()
self.HalTscOffset = v_uint64()
self.HvlTscOffset = v_uint64()
self.SleeperThreadEnd = v_uint64()
self.KernelReturnSystemPowerStateTimestamp = v_uint64()
self.IoBoundedness = v_uint64()
self.KernelDecompressTicks = v_uint64()
self.KernelIoTicks = v_uint64()
self.KernelCopyTicks = v_uint64()
self.ReadCheckCount = v_uint64()
self.KernelInitTicks = v_uint64()
self.KernelResumeHiberFileTicks = v_uint64()
self.KernelIoCpuTicks = v_uint64()
self.KernelSharedBufferTicks = v_uint64()
self.KernelAnimationTicks = v_uint64()
self.AnimationStart = LARGE_INTEGER()
self.AnimationStop = LARGE_INTEGER()
self.DeviceResumeTime = v_uint32()
self._pad0150 = v_bytes(size=4)
self.BootPagesProcessed = v_uint64()
self.KernelPagesProcessed = v_uint64()
self.BootBytesWritten = v_uint64()
self.KernelBytesWritten = v_uint64()
self.BootPagesWritten = v_uint64()
self.KernelPagesWritten = v_uint64()
self.BytesWritten = v_uint64()
self.PagesWritten = v_uint32()
self.FileRuns = v_uint32()
self.NoMultiStageResumeReason = v_uint32()
self.MaxHuffRatio = v_uint32()
self.AdjustedTotalResumeTime = v_uint64()
self.ResumeCompleteTimestamp = v_uint64()
class DEFERRED_WRITE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeTypeCode = v_uint16()
self.NodeByteSize = v_uint16()
self.FileObject = v_ptr32()
self.BytesToWrite = v_uint32()
self.DeferredWriteLinks = LIST_ENTRY()
self.Event = v_ptr32()
self.PostRoutine = v_ptr32()
self.Context1 = v_ptr32()
self.Context2 = v_ptr32()
class _unnamed_30113(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReadMemory = DBGKD_READ_MEMORY64()
self._pad0028 = v_bytes(size=24)
class _unnamed_34661(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Level = v_uint16()
self.Group = v_uint16()
self.Vector = v_uint32()
self.Affinity = v_uint32()
class ARBITER_INSTANCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.MutexEvent = v_ptr32()
self.Name = v_ptr32()
self.OrderingName = v_ptr32()
self.ResourceType = v_uint32()
self.Allocation = v_ptr32()
self.PossibleAllocation = v_ptr32()
self.OrderingList = ARBITER_ORDERING_LIST()
self.ReservedList = ARBITER_ORDERING_LIST()
self.ReferenceCount = v_uint32()
self.Interface = v_ptr32()
self.AllocationStackMaxSize = v_uint32()
self.AllocationStack = v_ptr32()
self.UnpackRequirement = v_ptr32()
self.PackResource = v_ptr32()
self.UnpackResource = v_ptr32()
self.ScoreRequirement = v_ptr32()
self.TestAllocation = v_ptr32()
self.RetestAllocation = v_ptr32()
self.CommitAllocation = v_ptr32()
self.RollbackAllocation = v_ptr32()
self.BootAllocation = v_ptr32()
self.QueryArbitrate = v_ptr32()
self.QueryConflict = v_ptr32()
self.AddReserved = v_ptr32()
self.StartArbiter = v_ptr32()
self.PreprocessEntry = v_ptr32()
self.AllocateEntry = v_ptr32()
self.GetNextAllocationRange = v_ptr32()
self.FindSuitableRange = v_ptr32()
self.AddAllocation = v_ptr32()
self.BacktrackAllocation = v_ptr32()
self.OverrideConflict = v_ptr32()
self.InitializeRangeList = v_ptr32()
self.TransactionInProgress = v_uint8()
self._pad0094 = v_bytes(size=3)
self.TransactionEvent = v_ptr32()
self.Extension = v_ptr32()
self.BusDeviceObject = v_ptr32()
self.ConflictCallbackContext = v_ptr32()
self.ConflictCallback = v_ptr32()
self.PdoDescriptionString = vstruct.VArray([ v_uint16() for i in xrange(336) ])
self.PdoSymbolicNameString = vstruct.VArray([ v_uint8() for i in xrange(672) ])
self.PdoAddressString = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self._pad05ec = v_bytes(size=2)
class NAMED_PIPE_CREATE_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NamedPipeType = v_uint32()
self.ReadMode = v_uint32()
self.CompletionMode = v_uint32()
self.MaximumInstances = v_uint32()
self.InboundQuota = v_uint32()
self.OutboundQuota = v_uint32()
self.DefaultTimeout = LARGE_INTEGER()
self.TimeoutSpecified = v_uint8()
self._pad0028 = v_bytes(size=7)
class _unnamed_28021(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.StartSid = v_ptr32()
self.SidList = v_ptr32()
self.SidListLength = v_uint32()
class MMSUPPORT_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkingSetType = v_uint8()
self.SessionMaster = v_uint8()
self.MemoryPriority = v_uint8()
self.WsleDeleted = v_uint8()
class PROC_PERF_DOMAIN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Link = LIST_ENTRY()
self.Master = v_ptr32()
self.Members = KAFFINITY_EX()
self.ProcessorCount = v_uint32()
self.Processors = v_ptr32()
self.GetFFHThrottleState = v_ptr32()
self.BoostPolicyHandler = v_ptr32()
self.BoostModeHandler = v_ptr32()
self.PerfSelectionHandler = v_ptr32()
self.PerfControlHandler = v_ptr32()
self.MaxFrequency = v_uint32()
self.NominalFrequency = v_uint32()
self.MaxPercent = v_uint32()
self.MinPerfPercent = v_uint32()
self.MinThrottlePercent = v_uint32()
self.Coordination = v_uint8()
self.HardPlatformCap = v_uint8()
self.AffinitizeControl = v_uint8()
self._pad004c = v_bytes(size=1)
self.SelectedPercent = v_uint32()
self.SelectedFrequency = v_uint32()
self.DesiredPercent = v_uint32()
self.MaxPolicyPercent = v_uint32()
self.MinPolicyPercent = v_uint32()
self.ConstrainedMaxPercent = v_uint32()
self.ConstrainedMinPercent = v_uint32()
self.GuaranteedPercent = v_uint32()
self.TolerancePercent = v_uint32()
self.SelectedState = v_uint64()
self.Force = v_uint8()
self._pad0080 = v_bytes(size=7)
self.PerfChangeTime = v_uint64()
self.PerfChangeIntervalCount = v_uint32()
self._pad0090 = v_bytes(size=4)
class EXCEPTION_REGISTRATION_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.Handler = v_ptr32()
class JOB_CPU_RATE_CONTROL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class FILE_BASIC_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CreationTime = LARGE_INTEGER()
self.LastAccessTime = LARGE_INTEGER()
self.LastWriteTime = LARGE_INTEGER()
self.ChangeTime = LARGE_INTEGER()
self.FileAttributes = v_uint32()
self._pad0028 = v_bytes(size=4)
class PLUGPLAY_EVENT_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EventGuid = GUID()
self.EventCategory = v_uint32()
self.Result = v_ptr32()
self.Flags = v_uint32()
self.TotalSize = v_uint32()
self.DeviceObject = v_ptr32()
self.u = _unnamed_33210()
class LIST_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flink = v_ptr32()
self.Blink = v_ptr32()
class M128A(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Low = v_uint64()
self.High = v_uint64()
class WHEA_NOTIFICATION_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint8()
self.Length = v_uint8()
self.Flags = WHEA_NOTIFICATION_FLAGS()
self.u = _unnamed_34035()
class CM_KEY_SECURITY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint16()
self.Reserved = v_uint16()
self.Flink = v_uint32()
self.Blink = v_uint32()
self.ReferenceCount = v_uint32()
self.DescriptorLength = v_uint32()
self.Descriptor = SECURITY_DESCRIPTOR_RELATIVE()
class PNP_DEVICE_COMPLETION_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DispatchedList = LIST_ENTRY()
self.DispatchedCount = v_uint32()
self.CompletedList = LIST_ENTRY()
self.CompletedSemaphore = KSEMAPHORE()
self.SpinLock = v_uint32()
class CLIENT_ID(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UniqueProcess = v_ptr32()
self.UniqueThread = v_ptr32()
class POP_ACTION_TRIGGER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint32()
self.Flags = v_uint32()
self.Wait = v_ptr32()
self.Battery = _unnamed_34192()
class ETW_REALTIME_CONSUMER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Links = LIST_ENTRY()
self.ProcessHandle = v_ptr32()
self.ProcessObject = v_ptr32()
self.NextNotDelivered = v_ptr32()
self.RealtimeConnectContext = v_ptr32()
self.DisconnectEvent = v_ptr32()
self.DataAvailableEvent = v_ptr32()
self.UserBufferCount = v_ptr32()
self.UserBufferListHead = v_ptr32()
self.BuffersLost = v_uint32()
self.EmptyBuffersCount = v_uint32()
self.LoggerId = v_uint16()
self.Flags = v_uint8()
self._pad0034 = v_bytes(size=1)
self.ReservedBufferSpaceBitMap = RTL_BITMAP()
self.ReservedBufferSpace = v_ptr32()
self.ReservedBufferSpaceSize = v_uint32()
self.UserPagesAllocated = v_uint32()
self.UserPagesReused = v_uint32()
class WHEA_ERROR_SOURCE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.Version = v_uint32()
self.Type = v_uint32()
self.State = v_uint32()
self.MaxRawDataLength = v_uint32()
self.NumRecordsToPreallocate = v_uint32()
self.MaxSectionsPerRecord = v_uint32()
self.ErrorSourceId = v_uint32()
self.PlatformErrorSourceId = v_uint32()
self.Flags = v_uint32()
self.Info = _unnamed_32010()
class MI_EXTRA_IMAGE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SizeOfHeaders = v_uint32()
self.SizeOfImage = v_uint32()
class DEVICE_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DosDevicesDirectory = v_ptr32()
self.GlobalDosDevicesDirectory = v_ptr32()
self.DosDevicesDirectoryHandle = v_ptr32()
self.ReferenceCount = v_uint32()
self.DriveMap = v_uint32()
self.DriveType = vstruct.VArray([ v_uint8() for i in xrange(32) ])
class DBGKD_SET_INTERNAL_BREAKPOINT64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakpointAddress = v_uint64()
self.Flags = v_uint32()
self._pad0010 = v_bytes(size=4)
class _unnamed_27748(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UserApcRoutine = v_ptr32()
self.UserApcContext = v_ptr32()
class _unnamed_30805(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_30806()
class VI_TRACK_IRQL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Thread = v_ptr32()
self.OldIrql = v_uint8()
self.NewIrql = v_uint8()
self.Processor = v_uint16()
self.TickCount = v_uint32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(5) ])
class GUID(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Data1 = v_uint32()
self.Data2 = v_uint16()
self.Data3 = v_uint16()
self.Data4 = vstruct.VArray([ v_uint8() for i in xrange(8) ])
class HEAP_UCR_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.SegmentEntry = LIST_ENTRY()
self.Address = v_ptr32()
self.Size = v_uint32()
class _unnamed_30413(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FileOffset = LARGE_INTEGER()
class KSTACK_COUNT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Value = v_uint32()
class POP_SYSTEM_IDLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AverageIdleness = v_uint32()
self.LowestIdleness = v_uint32()
self.Time = v_uint32()
self.Timeout = v_uint32()
self.LastUserInput = v_uint32()
self.Action = POWER_ACTION_POLICY()
self.MinState = v_uint32()
self.SystemRequired = v_uint32()
self.IdleWorker = v_uint8()
self.Sampling = v_uint8()
self._pad0030 = v_bytes(size=6)
self.LastTick = v_uint64()
self.LastSystemRequiredTime = v_uint32()
self._pad0040 = v_bytes(size=4)
class KAPC_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ApcListHead = vstruct.VArray([ LIST_ENTRY() for i in xrange(2) ])
self.Process = v_ptr32()
self.KernelApcInProgress = v_uint8()
self.KernelApcPending = v_uint8()
self.UserApcPending = v_uint8()
self._pad0018 = v_bytes(size=1)
class COUNTER_READING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint32()
self.Index = v_uint32()
self.Start = v_uint64()
self.Total = v_uint64()
class MMVAD_SHORT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VadNode = MM_AVL_NODE()
self.StartingVpn = v_uint32()
self.EndingVpn = v_uint32()
self.PushLock = EX_PUSH_LOCK()
self.u = _unnamed_35044()
self.u1 = _unnamed_35045()
self.EventList = v_ptr32()
self.ReferenceCount = v_uint32()
class DBGKD_GET_VERSION32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MajorVersion = v_uint16()
self.MinorVersion = v_uint16()
self.ProtocolVersion = v_uint16()
self.Flags = v_uint16()
self.KernBase = v_uint32()
self.PsLoadedModuleList = v_uint32()
self.MachineType = v_uint16()
self.ThCallbackStack = v_uint16()
self.NextCallback = v_uint16()
self.FramePointer = v_uint16()
self.KiCallUserMode = v_uint32()
self.KeUserCallbackDispatcher = v_uint32()
self.BreakpointWithStatus = v_uint32()
self.DebuggerDataList = v_uint32()
class MI_PHYSMEM_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IoTracker = v_ptr32()
class RTL_AVL_TREE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Root = v_ptr32()
class CM_CELL_REMAP_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OldCell = v_uint32()
self.NewCell = v_uint32()
class PEBS_DS_SAVE_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BtsBufferBase = v_uint64()
self.BtsIndex = v_uint64()
self.BtsAbsoluteMaximum = v_uint64()
self.BtsInterruptThreshold = v_uint64()
self.PebsBufferBase = v_uint64()
self.PebsIndex = v_uint64()
self.PebsAbsoluteMaximum = v_uint64()
self.PebsInterruptThreshold = v_uint64()
self.PebsCounterReset0 = v_uint64()
self.PebsCounterReset1 = v_uint64()
self.PebsCounterReset2 = v_uint64()
self.PebsCounterReset3 = v_uint64()
class KDPC_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DpcListHead = LIST_ENTRY()
self.DpcLock = v_uint32()
self.DpcQueueDepth = v_uint32()
self.DpcCount = v_uint32()
class KIDTENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Offset = v_uint16()
self.Selector = v_uint16()
self.Access = v_uint16()
self.ExtendedOffset = v_uint16()
class _unnamed_27940(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.CompletionFilter = v_uint32()
class _unnamed_27943(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.FileInformationClass = v_uint32()
class _unnamed_27946(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.FileInformationClass = v_uint32()
self.FileObject = v_ptr32()
self.ReplaceIfExists = v_uint8()
self.AdvanceOnly = v_uint8()
self._pad0010 = v_bytes(size=2)
class XSAVE_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LegacyState = XSAVE_FORMAT()
self.Header = XSAVE_AREA_HEADER()
class MMINPAGE_SUPPORT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.Thread = v_ptr32()
self.ListHead = LIST_ENTRY()
self._pad0018 = v_bytes(size=4)
self.Event = KEVENT()
self.CollidedEvent = KEVENT()
self.IoStatus = IO_STATUS_BLOCK()
self.ReadOffset = LARGE_INTEGER()
self.PteContents = MMPTE()
self.LockedProtoPfn = v_ptr32()
self.WaitCount = v_uint32()
self.ByteCount = v_uint32()
self.u3 = _unnamed_37086()
self.u1 = _unnamed_37087()
self.FilePointer = v_ptr32()
self.ControlArea = v_ptr32()
self.FaultingAddress = v_ptr32()
self.PointerPte = v_ptr32()
self.BasePte = v_ptr32()
self.Pfn = v_ptr32()
self.PrefetchMdl = v_ptr32()
self.Mdl = MDL()
self.Page = vstruct.VArray([ v_uint32() for i in xrange(16) ])
self._pad00e0 = v_bytes(size=4)
class SYSTEM_POWER_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revision = v_uint32()
self.PowerButton = POWER_ACTION_POLICY()
self.SleepButton = POWER_ACTION_POLICY()
self.LidClose = POWER_ACTION_POLICY()
self.LidOpenWake = v_uint32()
self.Reserved = v_uint32()
self.Idle = POWER_ACTION_POLICY()
self.IdleTimeout = v_uint32()
self.IdleSensitivity = v_uint8()
self.DynamicThrottle = v_uint8()
self.Spare2 = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.MinSleep = v_uint32()
self.MaxSleep = v_uint32()
self.ReducedLatencySleep = v_uint32()
self.WinLogonFlags = v_uint32()
self.Spare3 = v_uint32()
self.DozeS4Timeout = v_uint32()
self.BroadcastCapacityResolution = v_uint32()
self.DischargePolicy = vstruct.VArray([ SYSTEM_POWER_LEVEL() for i in xrange(4) ])
self.VideoTimeout = v_uint32()
self.VideoDimDisplay = v_uint8()
self._pad00c8 = v_bytes(size=3)
self.VideoReserved = vstruct.VArray([ v_uint32() for i in xrange(3) ])
self.SpindownTimeout = v_uint32()
self.OptimizeForPower = v_uint8()
self.FanThrottleTolerance = v_uint8()
self.ForcedThrottle = v_uint8()
self.MinThrottle = v_uint8()
self.OverThrottled = POWER_ACTION_POLICY()
class KRESOURCEMANAGER_COMPLETION_BINDING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationListHead = LIST_ENTRY()
self.Port = v_ptr32()
self.Key = v_uint32()
self.BindingProcess = v_ptr32()
class WHEA_XPF_MC_BANK_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BankNumber = v_uint8()
self.ClearOnInitialization = v_uint8()
self.StatusDataFormat = v_uint8()
self.Flags = XPF_MC_BANK_FLAGS()
self.ControlMsr = v_uint32()
self.StatusMsr = v_uint32()
self.AddressMsr = v_uint32()
self.MiscMsr = v_uint32()
self.ControlData = v_uint64()
class KTHREAD_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WaitReasonBitMap = v_uint64()
self.UserData = v_ptr32()
self.Flags = v_uint32()
self.ContextSwitches = v_uint32()
self._pad0018 = v_bytes(size=4)
self.CycleTimeBias = v_uint64()
self.HardwareCounters = v_uint64()
self.HwCounter = vstruct.VArray([ COUNTER_READING() for i in xrange(16) ])
class MMADDRESS_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u1 = _unnamed_37062()
self.EndVa = v_ptr32()
class OBJECT_REF_TRACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(16) ])
class KALPC_RESERVE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.OwnerPort = v_ptr32()
self.HandleTable = v_ptr32()
self.Handle = v_ptr32()
self.Message = v_ptr32()
self.Active = v_uint32()
class KINTERRUPT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.InterruptListEntry = LIST_ENTRY()
self.ServiceRoutine = v_ptr32()
self.MessageServiceRoutine = v_ptr32()
self.MessageIndex = v_uint32()
self.ServiceContext = v_ptr32()
self.SpinLock = v_uint32()
self.TickCount = v_uint32()
self.ActualLock = v_ptr32()
self.DispatchAddress = v_ptr32()
self.Vector = v_uint32()
self.Irql = v_uint8()
self.SynchronizeIrql = v_uint8()
self.FloatingSave = v_uint8()
self.Connected = v_uint8()
self.Number = v_uint32()
self.ShareVector = v_uint8()
self._pad003a = v_bytes(size=1)
self.ActiveCount = v_uint16()
self.InternalState = v_uint32()
self.Mode = v_uint32()
self.Polarity = v_uint32()
self.ServiceCount = v_uint32()
self.DispatchCount = v_uint32()
self.PassiveEvent = v_ptr32()
self.DispatchCode = vstruct.VArray([ v_uint32() for i in xrange(145) ])
self.DisconnectData = v_ptr32()
self.ServiceThread = v_ptr32()
class _unnamed_33989(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Port = _unnamed_34088()
class SECURITY_DESCRIPTOR_RELATIVE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revision = v_uint8()
self.Sbz1 = v_uint8()
self.Control = v_uint16()
self.Owner = v_uint32()
self.Group = v_uint32()
self.Sacl = v_uint32()
self.Dacl = v_uint32()
class DUMP_INITIALIZATION_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.Reserved = v_uint32()
self.MemoryBlock = v_ptr32()
self.CommonBuffer = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self._pad0018 = v_bytes(size=4)
self.PhysicalAddress = vstruct.VArray([ LARGE_INTEGER() for i in xrange(2) ])
self.StallRoutine = v_ptr32()
self.OpenRoutine = v_ptr32()
self.WriteRoutine = v_ptr32()
self.FinishRoutine = v_ptr32()
self.AdapterObject = v_ptr32()
self.MappedRegisterBase = v_ptr32()
self.PortConfiguration = v_ptr32()
self.CrashDump = v_uint8()
self.MarkMemoryOnly = v_uint8()
self.HiberResume = v_uint8()
self.Reserved1 = v_uint8()
self.MaximumTransferSize = v_uint32()
self.CommonBufferSize = v_uint32()
self.TargetAddress = v_ptr32()
self.WritePendingRoutine = v_ptr32()
self.PartitionStyle = v_uint32()
self.DiskInfo = _unnamed_37043()
self.ReadRoutine = v_ptr32()
self.GetDriveTelemetryRoutine = v_ptr32()
self.LogSectionTruncateSize = v_uint32()
self.Parameters = vstruct.VArray([ v_uint32() for i in xrange(16) ])
self.GetTransferSizesRoutine = v_ptr32()
self.DumpNotifyRoutine = v_ptr32()
class AER_ENDPOINT_DESCRIPTOR_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UncorrectableErrorMaskRW = v_uint16()
class VERIFIER_SHARED_EXPORT_THUNK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class FILE_GET_QUOTA_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NextEntryOffset = v_uint32()
self.SidLength = v_uint32()
self.Sid = SID()
class _unnamed_34368(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Balance = v_uint32()
class OBJECT_HANDLE_COUNT_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Process = v_ptr32()
self.HandleCount = v_uint32()
class MI_REVERSE_VIEW_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ViewLinks = LIST_ENTRY()
self.SystemCacheVa = v_ptr32()
self.Subsection = v_ptr32()
self.SectionOffset = v_uint64()
class IRP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.MdlAddress = v_ptr32()
self.Flags = v_uint32()
self.AssociatedIrp = _unnamed_27730()
self.ThreadListEntry = LIST_ENTRY()
self.IoStatus = IO_STATUS_BLOCK()
self.RequestorMode = v_uint8()
self.PendingReturned = v_uint8()
self.StackCount = v_uint8()
self.CurrentLocation = v_uint8()
self.Cancel = v_uint8()
self.CancelIrql = v_uint8()
self.ApcEnvironment = v_uint8()
self.AllocationFlags = v_uint8()
self.UserIosb = v_ptr32()
self.UserEvent = v_ptr32()
self.Overlay = _unnamed_27733()
self.CancelRoutine = v_ptr32()
self.UserBuffer = v_ptr32()
self.Tail = _unnamed_27736()
class VF_KE_CRITICAL_REGION_TRACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Thread = v_ptr32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(7) ])
class KGATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
class IO_COMPLETION_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Port = v_ptr32()
self.Key = v_ptr32()
class DRIVER_EXTENSION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DriverObject = v_ptr32()
self.AddDevice = v_ptr32()
self.Count = v_uint32()
self.ServiceKeyName = UNICODE_STRING()
self.ClientDriverExtension = v_ptr32()
self.FsFilterCallbacks = v_ptr32()
self.KseCallbacks = v_ptr32()
self.DvCallbacks = v_ptr32()
class RTL_CRITICAL_SECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DebugInfo = v_ptr32()
self.LockCount = v_uint32()
self.RecursionCount = v_uint32()
self.OwningThread = v_ptr32()
self.LockSemaphore = v_ptr32()
self.SpinCount = v_uint32()
class PLATFORM_IDLE_ACCOUNTING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ResetCount = v_uint32()
self.StateCount = v_uint32()
self.TimeUnit = v_uint32()
self._pad0010 = v_bytes(size=4)
self.StartTime = v_uint64()
self.State = vstruct.VArray([ PLATFORM_IDLE_STATE_ACCOUNTING() for i in xrange(1) ])
class MMPFN(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u1 = _unnamed_28805()
self.u2 = _unnamed_28806()
self.PteAddress = v_ptr32()
self.u3 = _unnamed_28808()
self.OriginalPte = MMPTE()
self.u4 = _unnamed_28809()
class PO_IRP_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CurrentIrp = v_ptr32()
self.PendingIrpList = v_ptr32()
class HIVE_LOAD_FAILURE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Hive = v_ptr32()
self.Index = v_uint32()
self.RecoverableIndex = v_uint32()
self.Locations = vstruct.VArray([ _unnamed_29146() for i in xrange(8) ])
self.RecoverableLocations = vstruct.VArray([ _unnamed_29146() for i in xrange(8) ])
self.RegistryIO = _unnamed_29147()
self.CheckRegistry2 = _unnamed_29148()
self.CheckKey = _unnamed_29149()
self.CheckValueList = _unnamed_29150()
self.CheckHive = _unnamed_29151()
self.CheckHive1 = _unnamed_29151()
self.CheckBin = _unnamed_29152()
self.RecoverData = _unnamed_29153()
class flags(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Removable = v_uint8()
class _unnamed_31167(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_31169()
class _unnamed_31169(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Revoked = v_uint32()
class DBGKD_SEARCH_MEMORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SearchAddress = v_uint64()
self.SearchLength = v_uint64()
self.PatternLength = v_uint32()
self._pad0018 = v_bytes(size=4)
class MI_VAD_SEQUENTIAL_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
class _unnamed_34678(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Channel = v_uint32()
self.RequestLine = v_uint32()
self.TransferWidth = v_uint8()
self.Reserved1 = v_uint8()
self.Reserved2 = v_uint8()
self.Reserved3 = v_uint8()
class POP_FX_IDLE_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TransitionLatency = v_uint64()
self.ResidencyRequirement = v_uint64()
self.NominalPower = v_uint32()
self._pad0018 = v_bytes(size=4)
class ALPC_COMPLETION_PACKET_LOOKASIDE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = v_uint32()
self.Size = v_uint32()
self.ActiveCount = v_uint32()
self.PendingNullCount = v_uint32()
self.PendingCheckCompletionListCount = v_uint32()
self.PendingDelete = v_uint32()
self.FreeListHead = SINGLE_LIST_ENTRY()
self.CompletionPort = v_ptr32()
self.CompletionKey = v_ptr32()
self.Entry = vstruct.VArray([ ALPC_COMPLETION_PACKET_LOOKASIDE_ENTRY() for i in xrange(1) ])
class WHEA_PERSISTENCE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint64()
class ETW_LAST_ENABLE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EnableFlags = LARGE_INTEGER()
self.LoggerId = v_uint16()
self.Level = v_uint8()
self.Enabled = v_uint8()
self._pad0010 = v_bytes(size=4)
class HEAP_VIRTUAL_ALLOC_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Entry = LIST_ENTRY()
self.ExtraStuff = HEAP_ENTRY_EXTRA()
self.CommitSize = v_uint32()
self.ReserveSize = v_uint32()
self.BusyBlock = HEAP_ENTRY()
class VI_DEADLOCK_THREAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Thread = v_ptr32()
self.CurrentSpinNode = v_ptr32()
self.CurrentOtherNode = v_ptr32()
self.ListEntry = LIST_ENTRY()
self.NodeCount = v_uint32()
self.PagingCount = v_uint32()
self.ThreadUsesEresources = v_uint8()
self._pad0020 = v_bytes(size=3)
class _unnamed_34671(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Raw = _unnamed_34666()
class VF_SUSPECT_DRIVER_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Links = LIST_ENTRY()
self.Loads = v_uint32()
self.Unloads = v_uint32()
self.BaseName = UNICODE_STRING()
class _unnamed_34674(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Channel = v_uint32()
self.Port = v_uint32()
self.Reserved1 = v_uint32()
class _unnamed_34574(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ProviderPdo = v_ptr32()
class _unnamed_25488(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFunction = v_uint32()
class ARBITER_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Parameters = _unnamed_34931()
class EXCEPTION_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionCode = v_uint32()
self.ExceptionFlags = v_uint32()
self.ExceptionRecord = v_ptr32()
self.ExceptionAddress = v_ptr32()
self.NumberParameters = v_uint32()
self.ExceptionInformation = vstruct.VArray([ v_uint32() for i in xrange(15) ])
class X86_DBGKD_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TraceFlag = v_uint32()
self.Dr7 = v_uint32()
self.CurrentSymbolStart = v_uint32()
self.CurrentSymbolEnd = v_uint32()
class POP_CURRENT_BROADCAST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InProgress = v_uint8()
self._pad0004 = v_bytes(size=3)
self.SystemContext = SYSTEM_POWER_STATE_CONTEXT()
self.PowerAction = v_uint32()
self.DeviceState = v_ptr32()
class MMPTE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u = _unnamed_28657()
class _unnamed_28098(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IoResourceRequirementList = v_ptr32()
class VI_DEADLOCK_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Parent = v_ptr32()
self.ChildrenList = LIST_ENTRY()
self.SiblingsList = LIST_ENTRY()
self.ResourceList = LIST_ENTRY()
self.Root = v_ptr32()
self.ThreadEntry = v_ptr32()
self.u1 = _unnamed_36349()
self.ChildrenCount = v_uint32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(8) ])
self.ParentStackTrace = vstruct.VArray([ v_ptr32() for i in xrange(8) ])
class PROC_IDLE_STATE_BUCKET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TotalTime = v_uint64()
self.MinTime = v_uint64()
self.MaxTime = v_uint64()
self.Count = v_uint32()
self._pad0020 = v_bytes(size=4)
class _unnamed_25485(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
class tagSWITCH_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Attribute = tagSWITCH_CONTEXT_ATTRIBUTE()
self.Data = tagSWITCH_CONTEXT_DATA()
class _unnamed_28657(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Long = v_uint64()
class VACB_ARRAY_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VacbArrayIndex = v_uint32()
self.MappingCount = v_uint32()
self.HighestMappedIndex = v_uint32()
self.Reserved = v_uint32()
class HEAP_STOP_ON_TAG(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HeapAndTagIndex = v_uint32()
class KPCR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NtTib = NT_TIB()
self.SelfPcr = v_ptr32()
self.Prcb = v_ptr32()
self.Irql = v_uint8()
self._pad0028 = v_bytes(size=3)
self.IRR = v_uint32()
self.IrrActive = v_uint32()
self.IDR = v_uint32()
self.KdVersionBlock = v_ptr32()
self.IDT = v_ptr32()
self.GDT = v_ptr32()
self.TSS = v_ptr32()
self.MajorVersion = v_uint16()
self.MinorVersion = v_uint16()
self.SetMember = v_uint32()
self.StallScaleFactor = v_uint32()
self.SpareUnused = v_uint8()
self.Number = v_uint8()
self.Spare0 = v_uint8()
self.SecondLevelCacheAssociativity = v_uint8()
self.VdmAlert = v_uint32()
self.KernelReserved = vstruct.VArray([ v_uint32() for i in xrange(14) ])
self.SecondLevelCacheSize = v_uint32()
self.HalReserved = vstruct.VArray([ v_uint32() for i in xrange(16) ])
self.InterruptMode = v_uint32()
self.Spare1 = v_uint8()
self._pad00dc = v_bytes(size=3)
self.KernelReserved2 = vstruct.VArray([ v_uint32() for i in xrange(17) ])
self.PrcbData = KPRCB()
class RTL_RB_TREE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Root = v_ptr32()
self.Min = v_ptr32()
class IMAGE_FILE_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Machine = v_uint16()
self.NumberOfSections = v_uint16()
self.TimeDateStamp = v_uint32()
self.PointerToSymbolTable = v_uint32()
self.NumberOfSymbols = v_uint32()
self.SizeOfOptionalHeader = v_uint16()
self.Characteristics = v_uint16()
class DBGKD_SET_SPECIAL_CALL64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SpecialCall = v_uint64()
class CM_KEY_INDEX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint16()
self.Count = v_uint16()
self.List = vstruct.VArray([ v_uint32() for i in xrange(1) ])
class FILE_STANDARD_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllocationSize = LARGE_INTEGER()
self.EndOfFile = LARGE_INTEGER()
self.NumberOfLinks = v_uint32()
self.DeletePending = v_uint8()
self.Directory = v_uint8()
self._pad0018 = v_bytes(size=2)
class RELATION_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.TagCount = v_uint32()
self.FirstLevel = v_uint32()
self.MaxLevel = v_uint32()
self.Entries = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class ETWP_NOTIFICATION_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationType = v_uint32()
self.NotificationSize = v_uint32()
self.RefCount = v_uint32()
self.ReplyRequested = v_uint8()
self._pad0010 = v_bytes(size=3)
self.ReplyIndex = v_uint32()
self.ReplyCount = v_uint32()
self.ReplyHandle = v_uint64()
self.TargetPID = v_uint32()
self.SourcePID = v_uint32()
self.DestinationGuid = GUID()
self.SourceGuid = GUID()
class PI_RESOURCE_ARBITER_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceArbiterList = LIST_ENTRY()
self.ResourceType = v_uint8()
self._pad000c = v_bytes(size=3)
self.ArbiterInterface = v_ptr32()
self.DeviceNode = v_ptr32()
self.ResourceList = LIST_ENTRY()
self.BestResourceList = LIST_ENTRY()
self.BestConfig = LIST_ENTRY()
self.ActiveArbiterList = LIST_ENTRY()
self.State = v_uint8()
self.ResourcesChanged = v_uint8()
self._pad0038 = v_bytes(size=2)
class AMD64_DBGKD_CONTROL_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TraceFlag = v_uint32()
self.Dr7 = v_uint64()
self.CurrentSymbolStart = v_uint64()
self.CurrentSymbolEnd = v_uint64()
class _unnamed_27730(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MasterIrp = v_ptr32()
class SYSPTES_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = LIST_ENTRY()
self.Count = v_uint32()
self.NumberOfEntries = v_uint32()
self.NumberOfEntriesPeak = v_uint32()
class _unnamed_25441(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LowPart = v_uint32()
self.HighPart = v_uint32()
class DBGKD_READ_WRITE_IO_EXTENDED32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DataSize = v_uint32()
self.InterfaceType = v_uint32()
self.BusNumber = v_uint32()
self.AddressSpace = v_uint32()
self.IoAddress = v_uint32()
self.DataValue = v_uint32()
class _unnamed_35222(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ProgrammedTime = v_uint64()
self.TimerInfo = v_ptr32()
self._pad0010 = v_bytes(size=4)
class PEB_LDR_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.Initialized = v_uint8()
self._pad0008 = v_bytes(size=3)
self.SsHandle = v_ptr32()
self.InLoadOrderModuleList = LIST_ENTRY()
self.InMemoryOrderModuleList = LIST_ENTRY()
self.InInitializationOrderModuleList = LIST_ENTRY()
self.EntryInProgress = v_ptr32()
self.ShutdownInProgress = v_uint8()
self._pad002c = v_bytes(size=3)
self.ShutdownThreadId = v_ptr32()
class DBGKD_WRITE_BREAKPOINT64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakPointAddress = v_uint64()
self.BreakPointHandle = v_uint32()
self._pad0010 = v_bytes(size=4)
class FSRTL_ADVANCED_FCB_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NodeTypeCode = v_uint16()
self.NodeByteSize = v_uint16()
self.Flags = v_uint8()
self.IsFastIoPossible = v_uint8()
self.Flags2 = v_uint8()
self.Reserved = v_uint8()
self.Resource = v_ptr32()
self.PagingIoResource = v_ptr32()
self.AllocationSize = LARGE_INTEGER()
self.FileSize = LARGE_INTEGER()
self.ValidDataLength = LARGE_INTEGER()
self.FastMutex = v_ptr32()
self.FilterContexts = LIST_ENTRY()
self.PushLock = EX_PUSH_LOCK()
self.FileContextSupportPointer = v_ptr32()
self.Oplock = v_ptr32()
class ARBITER_INTERFACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Version = v_uint16()
self.Context = v_ptr32()
self.InterfaceReference = v_ptr32()
self.InterfaceDereference = v_ptr32()
self.ArbiterHandler = v_ptr32()
self.Flags = v_uint32()
class DIAGNOSTIC_BUFFER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint32()
self.CallerType = v_uint32()
self.ProcessImageNameOffset = v_uint32()
self.ProcessId = v_uint32()
self.ServiceTag = v_uint32()
self.ReasonOffset = v_uint32()
class POOL_TRACKER_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Key = v_uint32()
self.NonPagedAllocs = v_uint32()
self.NonPagedFrees = v_uint32()
self.NonPagedBytes = v_uint32()
self.PagedAllocs = v_uint32()
self.PagedFrees = v_uint32()
self.PagedBytes = v_uint32()
class _unnamed_34312(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllSharedExportThunks = VF_TARGET_ALL_SHARED_EXPORT_THUNKS()
class PCW_BUFFER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class _unnamed_34731(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PhysicalAddress = v_uint32()
class SECURITY_SUBJECT_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ClientToken = v_ptr32()
self.ImpersonationLevel = v_uint32()
self.PrimaryToken = v_ptr32()
self.ProcessAuditId = v_ptr32()
class POP_IO_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DumpMdl = v_ptr32()
self.IoStatus = v_uint32()
self.IoStartCount = v_uint64()
self.IoBytesCompleted = v_uint64()
self.IoBytesInProgress = v_uint64()
self.RequestSize = v_uint64()
self.IoLocation = LARGE_INTEGER()
self.FileOffset = v_uint64()
self.Buffer = v_ptr32()
self.AsyncCapable = v_uint8()
self._pad0040 = v_bytes(size=3)
self.BytesToRead = v_uint64()
self.Pages = v_uint32()
self._pad0050 = v_bytes(size=4)
class HIVE_WAIT_PACKET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WakeEvent = KEVENT()
self.Status = v_uint32()
self.Next = v_ptr32()
self.PrimaryFileWritten = v_uint8()
self._pad001c = v_bytes(size=3)
class KALPC_REGION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RegionListEntry = LIST_ENTRY()
self.Section = v_ptr32()
self.Offset = v_uint32()
self.Size = v_uint32()
self.ViewSize = v_uint32()
self.u1 = _unnamed_30902()
self.NumberOfViews = v_uint32()
self.ViewListHead = LIST_ENTRY()
self.ReadOnlyView = v_ptr32()
self.ReadWriteView = v_ptr32()
class VF_TRACKER_STAMP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Thread = v_ptr32()
self.Flags = v_uint8()
self.OldIrql = v_uint8()
self.NewIrql = v_uint8()
self.Processor = v_uint8()
class POP_FX_COMPONENT_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Value = v_uint32()
self.Value2 = v_uint32()
class KERNEL_STACK_SEGMENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StackBase = v_uint32()
self.StackLimit = v_uint32()
self.KernelStack = v_uint32()
self.InitialStack = v_uint32()
class ALPC_MESSAGE_ATTRIBUTES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AllocatedAttributes = v_uint32()
self.ValidAttributes = v_uint32()
class POP_THERMAL_ZONE_METRICS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MetricsResource = ERESOURCE()
self.ActiveCount = v_uint32()
self.PassiveCount = v_uint32()
self.LastActiveStartTick = LARGE_INTEGER()
self.AverageActiveTime = LARGE_INTEGER()
self.LastPassiveStartTick = LARGE_INTEGER()
self.AveragePassiveTime = LARGE_INTEGER()
self.StartTickSinceLastReset = LARGE_INTEGER()
class PCW_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Data = v_ptr32()
self.Size = v_uint32()
class DEVICE_RELATIONS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
self.Objects = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class POOL_BLOCK_HEAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = POOL_HEADER()
self.List = LIST_ENTRY()
class TRACE_ENABLE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IsEnabled = v_uint32()
self.Level = v_uint8()
self.Reserved1 = v_uint8()
self.LoggerId = v_uint16()
self.EnableProperty = v_uint32()
self.Reserved2 = v_uint32()
self.MatchAnyKeyword = v_uint64()
self.MatchAllKeyword = v_uint64()
class _unnamed_34389(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NotificationStructure = v_ptr32()
self.DeviceId = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self._pad0008 = v_bytes(size=2)
class MMSUBSECTION_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SubsectionAccessed = v_uint16()
self.SubsectionStatic = v_uint16()
class INTERFACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Version = v_uint16()
self.Context = v_ptr32()
self.InterfaceReference = v_ptr32()
self.InterfaceDereference = v_ptr32()
class SYSTEM_POWER_LEVEL(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Enable = v_uint8()
self.Spare = vstruct.VArray([ v_uint8() for i in xrange(3) ])
self.BatteryLevel = v_uint32()
self.PowerPolicy = POWER_ACTION_POLICY()
self.MinSystemState = v_uint32()
class _unnamed_34387(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeviceId = vstruct.VArray([ v_uint16() for i in xrange(1) ])
class WMI_LOGGER_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LoggerId = v_uint32()
self.BufferSize = v_uint32()
self.MaximumEventSize = v_uint32()
self.LoggerMode = v_uint32()
self.AcceptNewEvents = v_uint32()
self.EventMarker = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.ErrorMarker = v_uint32()
self.SizeMask = v_uint32()
self.GetCpuClock = v_ptr32()
self.LoggerThread = v_ptr32()
self.LoggerStatus = v_uint32()
self.FailureReason = v_uint32()
self.BufferQueue = ETW_BUFFER_QUEUE()
self.OverflowQueue = ETW_BUFFER_QUEUE()
self.GlobalList = LIST_ENTRY()
self.ProviderBinaryList = LIST_ENTRY()
self.BatchedBufferList = v_ptr32()
self.LoggerName = UNICODE_STRING()
self.LogFileName = UNICODE_STRING()
self.LogFilePattern = UNICODE_STRING()
self.NewLogFileName = UNICODE_STRING()
self.ClockType = v_uint32()
self.LastFlushedBuffer = v_uint32()
self.FlushTimer = v_uint32()
self.FlushThreshold = v_uint32()
self._pad0090 = v_bytes(size=4)
self.ByteOffset = LARGE_INTEGER()
self.MinimumBuffers = v_uint32()
self.BuffersAvailable = v_uint32()
self.NumberOfBuffers = v_uint32()
self.MaximumBuffers = v_uint32()
self.EventsLost = v_uint32()
self.BuffersWritten = v_uint32()
self.LogBuffersLost = v_uint32()
self.RealTimeBuffersDelivered = v_uint32()
self.RealTimeBuffersLost = v_uint32()
self.SequencePtr = v_ptr32()
self.LocalSequence = v_uint32()
self.InstanceGuid = GUID()
self.MaximumFileSize = v_uint32()
self.FileCounter = v_uint32()
self.PoolType = v_uint32()
self.ReferenceTime = ETW_REF_CLOCK()
self.CollectionOn = v_uint32()
self.ProviderInfoSize = v_uint32()
self.Consumers = LIST_ENTRY()
self.NumConsumers = v_uint32()
self.TransitionConsumer = v_ptr32()
self.RealtimeLogfileHandle = v_ptr32()
self.RealtimeLogfileName = UNICODE_STRING()
self._pad0118 = v_bytes(size=4)
self.RealtimeWriteOffset = LARGE_INTEGER()
self.RealtimeReadOffset = LARGE_INTEGER()
self.RealtimeLogfileSize = LARGE_INTEGER()
self.RealtimeLogfileUsage = v_uint64()
self.RealtimeMaximumFileSize = v_uint64()
self.RealtimeBuffersSaved = v_uint32()
self._pad0148 = v_bytes(size=4)
self.RealtimeReferenceTime = ETW_REF_CLOCK()
self.NewRTEventsLost = v_uint32()
self.LoggerEvent = KEVENT()
self.FlushEvent = KEVENT()
self._pad0180 = v_bytes(size=4)
self.FlushTimeOutTimer = KTIMER()
self.LoggerDpc = KDPC()
self.LoggerMutex = KMUTANT()
self.LoggerLock = EX_PUSH_LOCK()
self.BufferListSpinLock = v_uint32()
self.ClientSecurityContext = SECURITY_CLIENT_CONTEXT()
self.SecurityDescriptor = EX_FAST_REF()
self.StartTime = LARGE_INTEGER()
self.LogFileHandle = v_ptr32()
self._pad0240 = v_bytes(size=4)
self.BufferSequenceNumber = v_uint64()
self.Flags = v_uint32()
self.RequestFlag = v_uint32()
self.HookIdMap = RTL_BITMAP()
self.StackCache = v_ptr32()
self.PmcData = v_ptr32()
self.WinRtProviderBinaryList = LIST_ENTRY()
self.ScratchArray = v_ptr32()
self._pad0270 = v_bytes(size=4)
class THREAD_PERFORMANCE_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Version = v_uint16()
self.ProcessorNumber = PROCESSOR_NUMBER()
self.ContextSwitches = v_uint32()
self.HwCountersCount = v_uint32()
self.UpdateCount = v_uint64()
self.WaitReasonBitMap = v_uint64()
self.HardwareCounters = v_uint64()
self.CycleTime = COUNTER_READING()
self.HwCounters = vstruct.VArray([ COUNTER_READING() for i in xrange(16) ])
class IO_STACK_LOCATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MajorFunction = v_uint8()
self.MinorFunction = v_uint8()
self.Flags = v_uint8()
self.Control = v_uint8()
self.Parameters = _unnamed_27770()
self.DeviceObject = v_ptr32()
self.FileObject = v_ptr32()
self.CompletionRoutine = v_ptr32()
self.Context = v_ptr32()
class DBGKD_READ_WRITE_MSR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Msr = v_uint32()
self.DataValueLow = v_uint32()
self.DataValueHigh = v_uint32()
class ARBITER_QUERY_CONFLICT_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PhysicalDeviceObject = v_ptr32()
self.ConflictingResource = v_ptr32()
self.ConflictCount = v_ptr32()
self.Conflicts = v_ptr32()
class IMAGE_DATA_DIRECTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.VirtualAddress = v_uint32()
self.Size = v_uint32()
class FILE_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Size = v_uint16()
self.DeviceObject = v_ptr32()
self.Vpb = v_ptr32()
self.FsContext = v_ptr32()
self.FsContext2 = v_ptr32()
self.SectionObjectPointer = v_ptr32()
self.PrivateCacheMap = v_ptr32()
self.FinalStatus = v_uint32()
self.RelatedFileObject = v_ptr32()
self.LockOperation = v_uint8()
self.DeletePending = v_uint8()
self.ReadAccess = v_uint8()
self.WriteAccess = v_uint8()
self.DeleteAccess = v_uint8()
self.SharedRead = v_uint8()
self.SharedWrite = v_uint8()
self.SharedDelete = v_uint8()
self.Flags = v_uint32()
self.FileName = UNICODE_STRING()
self.CurrentByteOffset = LARGE_INTEGER()
self.Waiters = v_uint32()
self.Busy = v_uint32()
self.LastLock = v_ptr32()
self.Lock = KEVENT()
self.Event = KEVENT()
self.CompletionContext = v_ptr32()
self.IrpListLock = v_uint32()
self.IrpList = LIST_ENTRY()
self.FileObjectExtension = v_ptr32()
class PPM_IDLE_STATES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ForceIdle = v_uint8()
self.EstimateIdleDuration = v_uint8()
self.ExitLatencyTraceEnabled = v_uint8()
self._pad0004 = v_bytes(size=1)
self.ExitLatencyCountdown = v_uint32()
self.TargetState = v_uint32()
self.ActualState = v_uint32()
self.ActualPlatformState = v_uint32()
self.OldState = v_uint32()
self.OverrideIndex = v_uint32()
self.PlatformIdleCount = v_uint32()
self.ProcessorIdleCount = v_uint32()
self.Type = v_uint32()
self.ReasonFlags = v_uint32()
self._pad0030 = v_bytes(size=4)
self.InitiateWakeStamp = v_uint64()
self.PreviousStatus = v_uint32()
self.PrimaryProcessorMask = KAFFINITY_EX()
self.SecondaryProcessorMask = KAFFINITY_EX()
self.IdlePrepare = v_ptr32()
self.IdleExecute = v_ptr32()
self.IdleComplete = v_ptr32()
self.IdleCancel = v_ptr32()
self.IdleIsHalted = v_ptr32()
self.IdleInitiateWake = v_ptr32()
self._pad0070 = v_bytes(size=4)
self.PrepareInfo = PROCESSOR_IDLE_PREPARE_INFO()
self.State = vstruct.VArray([ PPM_IDLE_STATE() for i in xrange(1) ])
class MMPAGING_FILE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint32()
self.MaximumSize = v_uint32()
self.MinimumSize = v_uint32()
self.FreeSpace = v_uint32()
self.PeakUsage = v_uint32()
self.HighestPage = v_uint32()
self.FreeReservationSpace = v_uint32()
self.LargestReserveCluster = v_uint32()
self.File = v_ptr32()
self.Entry = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self.PageFileName = UNICODE_STRING()
self.Bitmaps = v_ptr32()
self.AllocationBitmapHint = v_uint32()
self.ReservationBitmapHint = v_uint32()
self.LargestNonReservedClusterSize = v_uint32()
self.RefreshClusterSize = v_uint32()
self.LastRefreshClusterSize = v_uint32()
self.ReservedClusterSizeAggregate = v_uint32()
self.ToBeEvictedCount = v_uint32()
self.PageFileNumber = v_uint16()
self.AdriftMdls = v_uint8()
self.Spare2 = v_uint8()
self.FileHandle = v_ptr32()
self.Lock = v_uint32()
self.LockOwner = v_ptr32()
class _unnamed_35986(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MissedEtwRegistration = v_uint32()
class IOV_IRP_TRACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Irp = v_ptr32()
self.Thread = v_ptr32()
self.KernelApcDisable = v_uint16()
self.SpecialApcDisable = v_uint16()
self.Irql = v_uint8()
self._pad0010 = v_bytes(size=3)
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(12) ])
class WHEA_NOTIFICATION_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PollIntervalRW = v_uint16()
class LDR_SERVICE_TAG_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Next = v_ptr32()
self.ServiceTag = v_uint32()
class _unnamed_34404(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PowerSettingGuid = GUID()
self.Flags = v_uint32()
self.SessionId = v_uint32()
self.DataLength = v_uint32()
self.Data = vstruct.VArray([ v_uint8() for i in xrange(1) ])
self._pad0020 = v_bytes(size=3)
class SECTION_IMAGE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TransferAddress = v_ptr32()
self.ZeroBits = v_uint32()
self.MaximumStackSize = v_uint32()
self.CommittedStackSize = v_uint32()
self.SubSystemType = v_uint32()
self.SubSystemMinorVersion = v_uint16()
self.SubSystemMajorVersion = v_uint16()
self.GpValue = v_uint32()
self.ImageCharacteristics = v_uint16()
self.DllCharacteristics = v_uint16()
self.Machine = v_uint16()
self.ImageContainsCode = v_uint8()
self.ImageFlags = v_uint8()
self.LoaderFlags = v_uint32()
self.ImageFileSize = v_uint32()
self.CheckSum = v_uint32()
class KENLISTMENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.cookie = v_uint32()
self.NamespaceLink = KTMOBJECT_NAMESPACE_LINK()
self.EnlistmentId = GUID()
self.Mutex = KMUTANT()
self.NextSameTx = LIST_ENTRY()
self.NextSameRm = LIST_ENTRY()
self.ResourceManager = v_ptr32()
self.Transaction = v_ptr32()
self.State = v_uint32()
self.Flags = v_uint32()
self.NotificationMask = v_uint32()
self.Key = v_ptr32()
self.KeyRefCount = v_uint32()
self.RecoveryInformation = v_ptr32()
self.RecoveryInformationLength = v_uint32()
self.DynamicNameInformation = v_ptr32()
self.DynamicNameInformationLength = v_uint32()
self.FinalNotification = v_ptr32()
self.SupSubEnlistment = v_ptr32()
self.SupSubEnlHandle = v_ptr32()
self.SubordinateTxHandle = v_ptr32()
self.CrmEnlistmentEnId = GUID()
self.CrmEnlistmentTmId = GUID()
self.CrmEnlistmentRmId = GUID()
self.NextHistory = v_uint32()
self.History = vstruct.VArray([ KENLISTMENT_HISTORY() for i in xrange(20) ])
class STRING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint16()
self.MaximumLength = v_uint16()
self.Buffer = v_ptr32()
class ERESOURCE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SystemResourcesList = LIST_ENTRY()
self.OwnerTable = v_ptr32()
self.ActiveCount = v_uint16()
self.Flag = v_uint16()
self.SharedWaiters = v_ptr32()
self.ExclusiveWaiters = v_ptr32()
self.OwnerEntry = OWNER_ENTRY()
self.ActiveEntries = v_uint32()
self.ContentionCount = v_uint32()
self.NumberOfSharedWaiters = v_uint32()
self.NumberOfExclusiveWaiters = v_uint32()
self.Address = v_ptr32()
self.SpinLock = v_uint32()
class SUBSECTION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlArea = v_ptr32()
self.SubsectionBase = v_ptr32()
self.NextSubsection = v_ptr32()
self.PtesInSubsection = v_uint32()
self.UnusedPtes = v_uint32()
self.u = _unnamed_33507()
self.StartingSector = v_uint32()
self.NumberOfFullSectors = v_uint32()
class CM_WORKITEM(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.Private = v_uint32()
self.WorkerRoutine = v_ptr32()
self.Parameter = v_ptr32()
class DBGKD_SET_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ContextFlags = v_uint32()
class LPCP_MESSAGE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Entry = LIST_ENTRY()
self.SenderPort = v_ptr32()
self.RepliedToThread = v_ptr32()
self.PortContext = v_ptr32()
self._pad0018 = v_bytes(size=4)
self.Request = PORT_MESSAGE()
class _unnamed_34794(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IdleTime = v_uint32()
self.NonIdleTime = v_uint32()
class RTL_ATOM_TABLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HashLink = v_ptr32()
self.HandleIndex = v_uint16()
self.Atom = v_uint16()
self.Reference = RTL_ATOM_TABLE_REFERENCE()
self.NameLength = v_uint8()
self._pad001a = v_bytes(size=1)
self.Name = vstruct.VArray([ v_uint16() for i in xrange(1) ])
class _unnamed_36524(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.idxRecord = v_uint32()
self.cidContainer = v_uint32()
class TEB32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NtTib = NT_TIB32()
self.EnvironmentPointer = v_uint32()
self.ClientId = CLIENT_ID32()
self.ActiveRpcHandle = v_uint32()
self.ThreadLocalStoragePointer = v_uint32()
self.ProcessEnvironmentBlock = v_uint32()
self.LastErrorValue = v_uint32()
self.CountOfOwnedCriticalSections = v_uint32()
self.CsrClientThread = v_uint32()
self.Win32ThreadInfo = v_uint32()
self.User32Reserved = vstruct.VArray([ v_uint32() for i in xrange(26) ])
self.UserReserved = vstruct.VArray([ v_uint32() for i in xrange(5) ])
self.WOW32Reserved = v_uint32()
self.CurrentLocale = v_uint32()
self.FpSoftwareStatusRegister = v_uint32()
self.SystemReserved1 = vstruct.VArray([ v_uint32() for i in xrange(54) ])
self.ExceptionCode = v_uint32()
self.ActivationContextStackPointer = v_uint32()
self.SpareBytes = vstruct.VArray([ v_uint8() for i in xrange(36) ])
self.TxFsContext = v_uint32()
self.GdiTebBatch = GDI_TEB_BATCH32()
self.RealClientId = CLIENT_ID32()
self.GdiCachedProcessHandle = v_uint32()
self.GdiClientPID = v_uint32()
self.GdiClientTID = v_uint32()
self.GdiThreadLocalInfo = v_uint32()
self.Win32ClientInfo = vstruct.VArray([ v_uint32() for i in xrange(62) ])
self.glDispatchTable = vstruct.VArray([ v_uint32() for i in xrange(233) ])
self.glReserved1 = vstruct.VArray([ v_uint32() for i in xrange(29) ])
self.glReserved2 = v_uint32()
self.glSectionInfo = v_uint32()
self.glSection = v_uint32()
self.glTable = v_uint32()
self.glCurrentRC = v_uint32()
self.glContext = v_uint32()
self.LastStatusValue = v_uint32()
self.StaticUnicodeString = STRING32()
self.StaticUnicodeBuffer = vstruct.VArray([ v_uint16() for i in xrange(261) ])
self._pad0e0c = v_bytes(size=2)
self.DeallocationStack = v_uint32()
self.TlsSlots = vstruct.VArray([ v_uint32() for i in xrange(64) ])
self.TlsLinks = LIST_ENTRY32()
self.Vdm = v_uint32()
self.ReservedForNtRpc = v_uint32()
self.DbgSsReserved = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.HardErrorMode = v_uint32()
self.Instrumentation = vstruct.VArray([ v_uint32() for i in xrange(9) ])
self.ActivityId = GUID()
self.SubProcessTag = v_uint32()
self.PerflibData = v_uint32()
self.EtwTraceData = v_uint32()
self.WinSockData = v_uint32()
self.GdiBatchCount = v_uint32()
self.CurrentIdealProcessor = PROCESSOR_NUMBER()
self.GuaranteedStackBytes = v_uint32()
self.ReservedForPerf = v_uint32()
self.ReservedForOle = v_uint32()
self.WaitingOnLoaderLock = v_uint32()
self.SavedPriorityState = v_uint32()
self.ReservedForCodeCoverage = v_uint32()
self.ThreadPoolData = v_uint32()
self.TlsExpansionSlots = v_uint32()
self.MuiGeneration = v_uint32()
self.IsImpersonating = v_uint32()
self.NlsCache = v_uint32()
self.pShimData = v_uint32()
self.HeapVirtualAffinity = v_uint16()
self.LowFragHeapDataSlot = v_uint16()
self.CurrentTransactionHandle = v_uint32()
self.ActiveFrame = v_uint32()
self.FlsData = v_uint32()
self.PreferredLanguages = v_uint32()
self.UserPrefLanguages = v_uint32()
self.MergedPrefLanguages = v_uint32()
self.MuiImpersonation = v_uint32()
self.CrossTebFlags = v_uint16()
self.SameTebFlags = v_uint16()
self.TxnScopeEnterCallback = v_uint32()
self.TxnScopeExitCallback = v_uint32()
self.TxnScopeContext = v_uint32()
self.LockCount = v_uint32()
self.SpareUlong0 = v_uint32()
self.ResourceRetValue = v_uint32()
self.ReservedForWdf = v_uint32()
class PROCESSOR_IDLE_DEPENDENCY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Processor = PROCESSOR_NUMBER()
self.ExpectedState = v_uint8()
self._pad0006 = v_bytes(size=1)
class PEB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InheritedAddressSpace = v_uint8()
self.ReadImageFileExecOptions = v_uint8()
self.BeingDebugged = v_uint8()
self.BitField = v_uint8()
self.Mutant = v_ptr32()
self.ImageBaseAddress = v_ptr32()
self.Ldr = v_ptr32()
self.ProcessParameters = v_ptr32()
self.SubSystemData = v_ptr32()
self.ProcessHeap = v_ptr32()
self.FastPebLock = v_ptr32()
self.AtlThunkSListPtr = v_ptr32()
self.IFEOKey = v_ptr32()
self.CrossProcessFlags = v_uint32()
self.KernelCallbackTable = v_ptr32()
self.SystemReserved = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.AtlThunkSListPtr32 = v_uint32()
self.ApiSetMap = v_ptr32()
self.TlsExpansionCounter = v_uint32()
self.TlsBitmap = v_ptr32()
self.TlsBitmapBits = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.ReadOnlySharedMemoryBase = v_ptr32()
self.HotpatchInformation = v_ptr32()
self.ReadOnlyStaticServerData = v_ptr32()
self.AnsiCodePageData = v_ptr32()
self.OemCodePageData = v_ptr32()
self.UnicodeCaseTableData = v_ptr32()
self.NumberOfProcessors = v_uint32()
self.NtGlobalFlag = v_uint32()
self._pad0070 = v_bytes(size=4)
self.CriticalSectionTimeout = LARGE_INTEGER()
self.HeapSegmentReserve = v_uint32()
self.HeapSegmentCommit = v_uint32()
self.HeapDeCommitTotalFreeThreshold = v_uint32()
self.HeapDeCommitFreeBlockThreshold = v_uint32()
self.NumberOfHeaps = v_uint32()
self.MaximumNumberOfHeaps = v_uint32()
self.ProcessHeaps = v_ptr32()
self.GdiSharedHandleTable = v_ptr32()
self.ProcessStarterHelper = v_ptr32()
self.GdiDCAttributeList = v_uint32()
self.LoaderLock = v_ptr32()
self.OSMajorVersion = v_uint32()
self.OSMinorVersion = v_uint32()
self.OSBuildNumber = v_uint16()
self.OSCSDVersion = v_uint16()
self.OSPlatformId = v_uint32()
self.ImageSubsystem = v_uint32()
self.ImageSubsystemMajorVersion = v_uint32()
self.ImageSubsystemMinorVersion = v_uint32()
self.ActiveProcessAffinityMask = v_uint32()
self.GdiHandleBuffer = vstruct.VArray([ v_uint32() for i in xrange(34) ])
self.PostProcessInitRoutine = v_ptr32()
self.TlsExpansionBitmap = v_ptr32()
self.TlsExpansionBitmapBits = vstruct.VArray([ v_uint32() for i in xrange(32) ])
self.SessionId = v_uint32()
self.AppCompatFlags = ULARGE_INTEGER()
self.AppCompatFlagsUser = ULARGE_INTEGER()
self.pShimData = v_ptr32()
self.AppCompatInfo = v_ptr32()
self.CSDVersion = UNICODE_STRING()
self.ActivationContextData = v_ptr32()
self.ProcessAssemblyStorageMap = v_ptr32()
self.SystemDefaultActivationContextData = v_ptr32()
self.SystemAssemblyStorageMap = v_ptr32()
self.MinimumStackCommit = v_uint32()
self.FlsCallback = v_ptr32()
self.FlsListHead = LIST_ENTRY()
self.FlsBitmap = v_ptr32()
self.FlsBitmapBits = vstruct.VArray([ v_uint32() for i in xrange(4) ])
self.FlsHighIndex = v_uint32()
self.WerRegistrationData = v_ptr32()
self.WerShipAssertPtr = v_ptr32()
self.pUnused = v_ptr32()
self.pImageHeaderHash = v_ptr32()
self.TracingFlags = v_uint32()
self._pad0248 = v_bytes(size=4)
self.CsrServerReadOnlySharedMemoryBase = v_uint64()
class WHEA_XPF_CMC_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.NumberOfBanks = v_uint8()
self.Reserved = v_uint32()
self.Notify = WHEA_NOTIFICATION_DESCRIPTOR()
self.Banks = vstruct.VArray([ WHEA_XPF_MC_BANK_DESCRIPTOR() for i in xrange(32) ])
class KSCB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.GenerationCycles = v_uint64()
self.UnderQuotaCycleTarget = v_uint64()
self.RankCycleTarget = v_uint64()
self.LongTermCycles = v_uint64()
self.LastReportedCycles = v_uint64()
self.OverQuotaHistory = v_uint64()
self.PerProcessorList = LIST_ENTRY()
self.QueueNode = RTL_BALANCED_NODE()
self.Inserted = v_uint8()
self.Spare2 = v_uint8()
self.ReadySummary = v_uint16()
self.Rank = v_uint32()
self.ReadyListHead = vstruct.VArray([ LIST_ENTRY() for i in xrange(16) ])
self._pad00d0 = v_bytes(size=4)
class DOCK_INTERFACE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Size = v_uint16()
self.Version = v_uint16()
self.Context = v_ptr32()
self.InterfaceReference = v_ptr32()
self.InterfaceDereference = v_ptr32()
self.ProfileDepartureSetMode = v_ptr32()
self.ProfileDepartureUpdate = v_ptr32()
class WHEA_AER_ROOTPORT_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.Reserved = v_uint8()
self.BusNumber = v_uint32()
self.Slot = WHEA_PCI_SLOT_NUMBER()
self.DeviceControl = v_uint16()
self.Flags = AER_ROOTPORT_DESCRIPTOR_FLAGS()
self.UncorrectableErrorMask = v_uint32()
self.UncorrectableErrorSeverity = v_uint32()
self.CorrectableErrorMask = v_uint32()
self.AdvancedCapsAndControl = v_uint32()
self.RootErrorCommand = v_uint32()
class _unnamed_30920(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_30922()
class RTL_BALANCED_LINKS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Parent = v_ptr32()
self.LeftChild = v_ptr32()
self.RightChild = v_ptr32()
self.Balance = v_uint8()
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(3) ])
class MI_LARGEPAGE_MEMORY_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListHead = LIST_ENTRY()
self.ColoredPageInfoBase = v_ptr32()
self.PagesNeedZeroing = v_uint32()
class PROCESSOR_PROFILE_CONTROL_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PebsDsSaveArea = PEBS_DS_SAVE_AREA()
class _unnamed_30479(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Reason = v_uint32()
class KENLISTMENT_HISTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Notification = v_uint32()
self.NewState = v_uint32()
class XSTATE_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Mask = v_uint64()
self.Length = v_uint32()
self.Reserved1 = v_uint32()
self.Area = v_ptr32()
self.Reserved2 = v_uint32()
self.Buffer = v_ptr32()
self.Reserved3 = v_uint32()
class RSDS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Guid = GUID()
self.Age = v_uint32()
self.PdbName = vstruct.VArray([ v_uint8() for i in xrange(1) ])
self._pad001c = v_bytes(size=3)
class OBJECT_DIRECTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HashBuckets = vstruct.VArray([ v_ptr32() for i in xrange(37) ])
self.Lock = EX_PUSH_LOCK()
self.DeviceMap = v_ptr32()
self.SessionId = v_uint32()
self.NamespaceEntry = v_ptr32()
self.Flags = v_uint32()
class _unnamed_35044(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFlags = v_uint32()
class _unnamed_35045(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFlags1 = v_uint32()
class AER_ROOTPORT_DESCRIPTOR_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UncorrectableErrorMaskRW = v_uint16()
class BLOB_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CreatedObjects = v_uint32()
self.DeletedObjects = v_uint32()
class ETW_STACK_CACHE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class MI_ACTIVE_WSLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flink = v_uint32()
self.Blink = v_uint32()
class MMIO_TRACKER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.PageFrameIndex = v_uint32()
self.NumberOfPages = v_uint32()
self.BaseVa = v_ptr32()
self.Mdl = v_ptr32()
self.MdlPages = v_uint32()
self.StackTrace = vstruct.VArray([ v_ptr32() for i in xrange(6) ])
self.CacheInfo = vstruct.VArray([ IO_CACHE_INFO() for i in xrange(1) ])
self._pad0038 = v_bytes(size=3)
class XSAVE_AREA_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Mask = v_uint64()
self.Reserved = vstruct.VArray([ v_uint64() for i in xrange(7) ])
class HEAP_SEGMENT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Entry = HEAP_ENTRY()
self.SegmentSignature = v_uint32()
self.SegmentFlags = v_uint32()
self.SegmentListEntry = LIST_ENTRY()
self.Heap = v_ptr32()
self.BaseAddress = v_ptr32()
self.NumberOfPages = v_uint32()
self.FirstEntry = v_ptr32()
self.LastValidEntry = v_ptr32()
self.NumberOfUnCommittedPages = v_uint32()
self.NumberOfUnCommittedRanges = v_uint32()
self.SegmentAllocatorBackTraceIndex = v_uint16()
self.Reserved = v_uint16()
self.UCRSegmentList = LIST_ENTRY()
class _unnamed_34384(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ClassGuid = GUID()
self.SymbolicLinkName = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self._pad0014 = v_bytes(size=2)
class HANDLE_TABLE_FREE_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FreeListLock = EX_PUSH_LOCK()
self.FirstFreeHandleEntry = v_ptr32()
self.LastFreeHandleEntry = v_ptr32()
self.HandleCount = v_uint32()
self.HighWaterMark = v_uint32()
self.Reserved = vstruct.VArray([ v_uint32() for i in xrange(8) ])
class WHEA_ERROR_RECORD_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.Revision = WHEA_REVISION()
self.SignatureEnd = v_uint32()
self.SectionCount = v_uint16()
self.Severity = v_uint32()
self.ValidBits = WHEA_ERROR_RECORD_HEADER_VALIDBITS()
self.Length = v_uint32()
self.Timestamp = WHEA_TIMESTAMP()
self.PlatformId = GUID()
self.PartitionId = GUID()
self.CreatorId = GUID()
self.NotifyType = GUID()
self.RecordId = v_uint64()
self.Flags = WHEA_ERROR_RECORD_HEADER_FLAGS()
self.PersistenceInfo = WHEA_PERSISTENCE_INFO()
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(12) ])
class SEP_LOWBOX_HANDLES_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = EX_PUSH_LOCK()
self.HashTable = v_ptr32()
class ETW_SYSTEMTIME(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Year = v_uint16()
self.Month = v_uint16()
self.DayOfWeek = v_uint16()
self.Day = v_uint16()
self.Hour = v_uint16()
self.Minute = v_uint16()
self.Second = v_uint16()
self.Milliseconds = v_uint16()
class _unnamed_28805(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flink = v_uint32()
class _unnamed_28806(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Blink = v_uint32()
class _unnamed_30473(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FileObject = v_ptr32()
class _unnamed_34105(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MinimumChannel = v_uint32()
self.MaximumChannel = v_uint32()
class _unnamed_34108(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RequestLine = v_uint32()
self.Reserved = v_uint32()
self.Channel = v_uint32()
self.TransferWidth = v_uint32()
class _unnamed_28808(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReferenceCount = v_uint16()
self.e1 = MMPFNENTRY()
class FLS_CALLBACK_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class _unnamed_36621(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Head = v_uint64()
class PPM_IDLE_SYNCHRONIZATION_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AsLong = v_uint32()
class MMSECURE_FLAGS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReadOnly = v_uint32()
class DBGKD_WRITE_MEMORY64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TargetBaseAddress = v_uint64()
self.TransferCount = v_uint32()
self.ActualBytesWritten = v_uint32()
class MI_TRIAGE_DUMP_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BadPageCount = v_uint32()
self.BadPagesDetected = v_uint32()
self.ZeroedPageSingleBitErrorsDetected = v_uint32()
self.ScrubPasses = v_uint32()
self.ScrubBadPagesFound = v_uint32()
self.FeatureBits = v_uint32()
self.TimeZoneId = v_uint32()
class OBJECT_HEADER_PADDING_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PaddingAmount = v_uint32()
class LIST_ENTRY64(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flink = v_uint64()
self.Blink = v_uint64()
class VACB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BaseAddress = v_ptr32()
self.SharedCacheMap = v_ptr32()
self.Overlay = _unnamed_30413()
self.ArrayHead = v_ptr32()
self._pad0018 = v_bytes(size=4)
class EXHANDLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TagBits = v_uint32()
class WAIT_CONTEXT_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WaitQueueEntry = KDEVICE_QUEUE_ENTRY()
self.DeviceRoutine = v_ptr32()
self.DeviceContext = v_ptr32()
self.NumberOfMapRegisters = v_uint32()
self.DeviceObject = v_ptr32()
self.CurrentIrp = v_ptr32()
self.BufferChainingDpc = v_ptr32()
class CM_KEY_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint16()
self.Flags = v_uint16()
self.LastWriteTime = LARGE_INTEGER()
self.AccessBits = v_uint32()
self.Parent = v_uint32()
self.SubKeyCounts = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.SubKeyLists = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.ValueList = CHILD_LIST()
self.Security = v_uint32()
self.Class = v_uint32()
self.MaxNameLen = v_uint32()
self.MaxClassLen = v_uint32()
self.MaxValueNameLen = v_uint32()
self.MaxValueDataLen = v_uint32()
self.WorkVar = v_uint32()
self.NameLength = v_uint16()
self.ClassLength = v_uint16()
self.Name = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self._pad0050 = v_bytes(size=2)
class CM_KEY_VALUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint16()
self.NameLength = v_uint16()
self.DataLength = v_uint32()
self.Data = v_uint32()
self.Type = v_uint32()
self.Flags = v_uint16()
self.Spare = v_uint16()
self.Name = vstruct.VArray([ v_uint16() for i in xrange(1) ])
self._pad0018 = v_bytes(size=2)
class _unnamed_32535(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BaseMid = v_uint32()
class PNP_PROVIDER_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.ProviderType = v_uint8()
self.Satisfied = v_uint8()
self.Flags = v_uint16()
self.u = _unnamed_34574()
class ACTIVATION_CONTEXT_STACK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ActiveFrame = v_ptr32()
self.FrameListCache = LIST_ENTRY()
self.Flags = v_uint32()
self.NextCookieSequenceNumber = v_uint32()
self.StackId = v_uint32()
class MI_PAGING_FILE_SPACE_BITMAPS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.RefCount = v_uint32()
self.AllocationBitmap = RTL_BITMAP()
self.ReservationBitmap = RTL_BITMAP()
self.EvictStoreBitmap = v_ptr32()
class LDR_DATA_TABLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.InLoadOrderLinks = LIST_ENTRY()
self.InMemoryOrderLinks = LIST_ENTRY()
self.InInitializationOrderLinks = LIST_ENTRY()
self.DllBase = v_ptr32()
self.EntryPoint = v_ptr32()
self.SizeOfImage = v_uint32()
self.FullDllName = UNICODE_STRING()
self.BaseDllName = UNICODE_STRING()
self.FlagGroup = vstruct.VArray([ v_uint8() for i in xrange(4) ])
self.ObsoleteLoadCount = v_uint16()
self.TlsIndex = v_uint16()
self.HashLinks = LIST_ENTRY()
self.TimeDateStamp = v_uint32()
self.EntryPointActivationContext = v_ptr32()
self.PatchInformation = v_ptr32()
self.DdagNode = v_ptr32()
self.NodeModuleLink = LIST_ENTRY()
self.SnapContext = v_ptr32()
self.ParentDllBase = v_ptr32()
self.SwitchBackContext = v_ptr32()
self.BaseAddressIndexNode = RTL_BALANCED_NODE()
self.MappingInfoIndexNode = RTL_BALANCED_NODE()
self.OriginalBase = v_uint32()
self._pad0088 = v_bytes(size=4)
self.LoadTime = LARGE_INTEGER()
self.BaseNameHashValue = v_uint32()
self.LoadReason = v_uint32()
class SEP_AUDIT_POLICY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AdtTokenPolicy = TOKEN_AUDIT_POLICY()
self.PolicySetStatus = v_uint8()
class TEB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NtTib = NT_TIB()
self.EnvironmentPointer = v_ptr32()
self.ClientId = CLIENT_ID()
self.ActiveRpcHandle = v_ptr32()
self.ThreadLocalStoragePointer = v_ptr32()
self.ProcessEnvironmentBlock = v_ptr32()
self.LastErrorValue = v_uint32()
self.CountOfOwnedCriticalSections = v_uint32()
self.CsrClientThread = v_ptr32()
self.Win32ThreadInfo = v_ptr32()
self.User32Reserved = vstruct.VArray([ v_uint32() for i in xrange(26) ])
self.UserReserved = vstruct.VArray([ v_uint32() for i in xrange(5) ])
self.WOW32Reserved = v_ptr32()
self.CurrentLocale = v_uint32()
self.FpSoftwareStatusRegister = v_uint32()
self.SystemReserved1 = vstruct.VArray([ v_ptr32() for i in xrange(54) ])
self.ExceptionCode = v_uint32()
self.ActivationContextStackPointer = v_ptr32()
self.SpareBytes = vstruct.VArray([ v_uint8() for i in xrange(36) ])
self.TxFsContext = v_uint32()
self.GdiTebBatch = GDI_TEB_BATCH()
self.RealClientId = CLIENT_ID()
self.GdiCachedProcessHandle = v_ptr32()
self.GdiClientPID = v_uint32()
self.GdiClientTID = v_uint32()
self.GdiThreadLocalInfo = v_ptr32()
self.Win32ClientInfo = vstruct.VArray([ v_uint32() for i in xrange(62) ])
self.glDispatchTable = vstruct.VArray([ v_ptr32() for i in xrange(233) ])
self.glReserved1 = vstruct.VArray([ v_uint32() for i in xrange(29) ])
self.glReserved2 = v_ptr32()
self.glSectionInfo = v_ptr32()
self.glSection = v_ptr32()
self.glTable = v_ptr32()
self.glCurrentRC = v_ptr32()
self.glContext = v_ptr32()
self.LastStatusValue = v_uint32()
self.StaticUnicodeString = UNICODE_STRING()
self.StaticUnicodeBuffer = vstruct.VArray([ v_uint16() for i in xrange(261) ])
self._pad0e0c = v_bytes(size=2)
self.DeallocationStack = v_ptr32()
self.TlsSlots = vstruct.VArray([ v_ptr32() for i in xrange(64) ])
self.TlsLinks = LIST_ENTRY()
self.Vdm = v_ptr32()
self.ReservedForNtRpc = v_ptr32()
self.DbgSsReserved = vstruct.VArray([ v_ptr32() for i in xrange(2) ])
self.HardErrorMode = v_uint32()
self.Instrumentation = vstruct.VArray([ v_ptr32() for i in xrange(9) ])
self.ActivityId = GUID()
self.SubProcessTag = v_ptr32()
self.PerflibData = v_ptr32()
self.EtwTraceData = v_ptr32()
self.WinSockData = v_ptr32()
self.GdiBatchCount = v_uint32()
self.CurrentIdealProcessor = PROCESSOR_NUMBER()
self.GuaranteedStackBytes = v_uint32()
self.ReservedForPerf = v_ptr32()
self.ReservedForOle = v_ptr32()
self.WaitingOnLoaderLock = v_uint32()
self.SavedPriorityState = v_ptr32()
self.ReservedForCodeCoverage = v_uint32()
self.ThreadPoolData = v_ptr32()
self.TlsExpansionSlots = v_ptr32()
self.MuiGeneration = v_uint32()
self.IsImpersonating = v_uint32()
self.NlsCache = v_ptr32()
self.pShimData = v_ptr32()
self.HeapVirtualAffinity = v_uint16()
self.LowFragHeapDataSlot = v_uint16()
self.CurrentTransactionHandle = v_ptr32()
self.ActiveFrame = v_ptr32()
self.FlsData = v_ptr32()
self.PreferredLanguages = v_ptr32()
self.UserPrefLanguages = v_ptr32()
self.MergedPrefLanguages = v_ptr32()
self.MuiImpersonation = v_uint32()
self.CrossTebFlags = v_uint16()
self.SameTebFlags = v_uint16()
self.TxnScopeEnterCallback = v_ptr32()
self.TxnScopeExitCallback = v_ptr32()
self.TxnScopeContext = v_ptr32()
self.LockCount = v_uint32()
self.SpareUlong0 = v_uint32()
self.ResourceRetValue = v_ptr32()
self.ReservedForWdf = v_ptr32()
class EX_RUNDOWN_REF(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint32()
class POP_DEVICE_SYS_STATE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.IrpMinor = v_uint8()
self._pad0004 = v_bytes(size=3)
self.SystemState = v_uint32()
self.SpinLock = v_uint32()
self.Thread = v_ptr32()
self.AbortEvent = v_ptr32()
self.ReadySemaphore = v_ptr32()
self.FinishedSemaphore = v_ptr32()
self.Order = PO_DEVICE_NOTIFY_ORDER()
self.Pending = LIST_ENTRY()
self.Status = v_uint32()
self.FailedDevice = v_ptr32()
self.Waking = v_uint8()
self.Cancelled = v_uint8()
self.IgnoreErrors = v_uint8()
self.IgnoreNotImplemented = v_uint8()
self.TimeRefreshLockAcquired = v_uint8()
self._pad0104 = v_bytes(size=3)
class _unnamed_34035(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Polled = _unnamed_36885()
self._pad0018 = v_bytes(size=20)
class AUTHZBASEP_SECURITY_ATTRIBUTES_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SecurityAttributeCount = v_uint32()
self.SecurityAttributesList = LIST_ENTRY()
self.WorkingSecurityAttributeCount = v_uint32()
self.WorkingSecurityAttributesList = LIST_ENTRY()
class CM_BIG_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint16()
self.Count = v_uint16()
self.List = v_uint32()
class MMWSLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u1 = _unnamed_28872()
class VI_POOL_PAGE_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.NextPage = v_ptr32()
self.VerifierEntry = v_ptr32()
self.Signature = v_uint32()
class PO_DIAG_STACK_RECORD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StackDepth = v_uint32()
self.Stack = vstruct.VArray([ v_ptr32() for i in xrange(1) ])
class IMAGE_DOS_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.e_magic = v_uint16()
self.e_cblp = v_uint16()
self.e_cp = v_uint16()
self.e_crlc = v_uint16()
self.e_cparhdr = v_uint16()
self.e_minalloc = v_uint16()
self.e_maxalloc = v_uint16()
self.e_ss = v_uint16()
self.e_sp = v_uint16()
self.e_csum = v_uint16()
self.e_ip = v_uint16()
self.e_cs = v_uint16()
self.e_lfarlc = v_uint16()
self.e_ovno = v_uint16()
self.e_res = vstruct.VArray([ v_uint16() for i in xrange(4) ])
self.e_oemid = v_uint16()
self.e_oeminfo = v_uint16()
self.e_res2 = vstruct.VArray([ v_uint16() for i in xrange(10) ])
self.e_lfanew = v_uint32()
class WHEA_AER_BRIDGE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.Reserved = v_uint8()
self.BusNumber = v_uint32()
self.Slot = WHEA_PCI_SLOT_NUMBER()
self.DeviceControl = v_uint16()
self.Flags = AER_BRIDGE_DESCRIPTOR_FLAGS()
self.UncorrectableErrorMask = v_uint32()
self.UncorrectableErrorSeverity = v_uint32()
self.CorrectableErrorMask = v_uint32()
self.AdvancedCapsAndControl = v_uint32()
self.SecondaryUncorrectableErrorMask = v_uint32()
self.SecondaryUncorrectableErrorSev = v_uint32()
self.SecondaryCapsAndControl = v_uint32()
class DBGKD_FILL_MEMORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Address = v_uint64()
self.Length = v_uint32()
self.Flags = v_uint16()
self.PatternLength = v_uint16()
class CM_KEY_SECURITY_CACHE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Cell = v_uint32()
self.CachedSecurity = v_ptr32()
class MM_AVL_NODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.u1 = _unnamed_34368()
self.LeftChild = v_ptr32()
self.RightChild = v_ptr32()
class SESSION_LOWBOX_MAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.SessionId = v_uint32()
self.LowboxMap = SEP_LOWBOX_NUMBER_MAPPING()
class _unnamed_34744(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CellData = CELL_DATA()
class EX_PUSH_LOCK_CACHE_AWARE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Locks = vstruct.VArray([ v_ptr32() for i in xrange(32) ])
class ARBITER_ORDERING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = v_uint64()
self.End = v_uint64()
class MMVIEW(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PteOffset = v_uint64()
self.Entry = v_uint32()
self.u1 = MMVIEW_CONTROL_AREA()
self.ViewLinks = LIST_ENTRY()
self.SessionViewVa = v_ptr32()
self.SessionId = v_uint32()
self.SessionIdForGlobalSubsections = v_uint32()
self._pad0028 = v_bytes(size=4)
class _unnamed_34193(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint32()
class ETW_GUID_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.GuidList = LIST_ENTRY()
self.RefCount = v_uint32()
self.Guid = GUID()
self.RegListHead = LIST_ENTRY()
self.SecurityDescriptor = v_ptr32()
self.LastEnable = ETW_LAST_ENABLE_INFO()
self.ProviderEnableInfo = TRACE_ENABLE_INFO()
self.EnableInfo = vstruct.VArray([ TRACE_ENABLE_INFO() for i in xrange(8) ])
self.FilterData = v_ptr32()
self._pad0160 = v_bytes(size=4)
class WMI_BUFFER_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BufferSize = v_uint32()
self.SavedOffset = v_uint32()
self.CurrentOffset = v_uint32()
self.ReferenceCount = v_uint32()
self.TimeStamp = LARGE_INTEGER()
self.SequenceNumber = v_uint64()
self.ClockType = v_uint64()
self.ClientContext = ETW_BUFFER_CONTEXT()
self.State = v_uint32()
self.Offset = v_uint32()
self.BufferFlag = v_uint16()
self.BufferType = v_uint16()
self.Padding1 = vstruct.VArray([ v_uint32() for i in xrange(4) ])
class QUAD(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.UseThisFieldToCopy = v_uint64()
class OBJECT_HANDLE_COUNT_DATABASE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CountEntries = v_uint32()
self.HandleCountEntries = vstruct.VArray([ OBJECT_HANDLE_COUNT_ENTRY() for i in xrange(1) ])
class MMWSLE_HASH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Index = v_uint32()
class PROC_PERF_SNAP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Time = v_uint64()
self.LastTime = v_uint64()
self.Active = v_uint64()
self.LastActive = v_uint64()
self.FrequencyScaledActive = v_uint64()
self.PerformanceScaledActive = v_uint64()
self.CyclesActive = v_uint64()
self.CyclesAffinitized = v_uint64()
class _unnamed_35941(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.AsUSHORT = v_uint16()
class HEAP_TUNING_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CommittThresholdShift = v_uint32()
self.MaxPreCommittThreshold = v_uint32()
class _unnamed_30755(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.DataInfoOffset = v_uint16()
class LPCP_PORT_OBJECT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ConnectionPort = v_ptr32()
self.ConnectedPort = v_ptr32()
self.MsgQueue = LPCP_PORT_QUEUE()
self.Creator = CLIENT_ID()
self.ClientSectionBase = v_ptr32()
self.ServerSectionBase = v_ptr32()
self.PortContext = v_ptr32()
self.ClientThread = v_ptr32()
self.SecurityQos = SECURITY_QUALITY_OF_SERVICE()
self.StaticSecurity = SECURITY_CLIENT_CONTEXT()
self.LpcReplyChainHead = LIST_ENTRY()
self.LpcDataInfoChainHead = LIST_ENTRY()
self.ServerProcess = v_ptr32()
self.MaxMessageLength = v_uint16()
self.MaxConnectionInfoLength = v_uint16()
self.Flags = v_uint32()
self.WaitEvent = KEVENT()
class WHEA_XPF_MCE_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
self.NumberOfBanks = v_uint8()
self.Flags = XPF_MCE_FLAGS()
self.MCG_Capability = v_uint64()
self.MCG_GlobalControl = v_uint64()
self.Banks = vstruct.VArray([ WHEA_XPF_MC_BANK_DESCRIPTOR() for i in xrange(32) ])
class EVENT_FILTER_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Ptr = v_uint64()
self.Size = v_uint32()
self.Type = v_uint32()
class _unnamed_30750(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DataLength = v_uint16()
self.TotalLength = v_uint16()
class CALL_PERFORMANCE_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SpinLock = v_uint32()
self.HashTable = vstruct.VArray([ LIST_ENTRY() for i in xrange(64) ])
class KPRCB(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MinorVersion = v_uint16()
self.MajorVersion = v_uint16()
self.CurrentThread = v_ptr32()
self.NextThread = v_ptr32()
self.IdleThread = v_ptr32()
self.LegacyNumber = v_uint8()
self.NestingLevel = v_uint8()
self.BuildType = v_uint16()
self.CpuType = v_uint8()
self.CpuID = v_uint8()
self.CpuStep = v_uint16()
self.ProcessorState = KPROCESSOR_STATE()
self.KernelReserved = vstruct.VArray([ v_uint32() for i in xrange(16) ])
self.HalReserved = vstruct.VArray([ v_uint32() for i in xrange(16) ])
self.CFlushSize = v_uint32()
self.CoresPerPhysicalProcessor = v_uint8()
self.LogicalProcessorsPerCore = v_uint8()
self.PrcbPad0 = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.MHz = v_uint32()
self.CpuVendor = v_uint8()
self.GroupIndex = v_uint8()
self.Group = v_uint16()
self.GroupSetMember = v_uint32()
self.Number = v_uint32()
self.ClockOwner = v_uint8()
self.PendingTick = v_uint8()
self.PrcbPad1 = vstruct.VArray([ v_uint8() for i in xrange(70) ])
self.LockQueue = vstruct.VArray([ KSPIN_LOCK_QUEUE() for i in xrange(17) ])
self.NpxThread = v_ptr32()
self.InterruptCount = v_uint32()
self.KernelTime = v_uint32()
self.UserTime = v_uint32()
self.DpcTime = v_uint32()
self.DpcTimeCount = v_uint32()
self.InterruptTime = v_uint32()
self.AdjustDpcThreshold = v_uint32()
self.PageColor = v_uint32()
self.DebuggerSavedIRQL = v_uint8()
self.NodeColor = v_uint8()
self.PrcbPad20 = vstruct.VArray([ v_uint8() for i in xrange(2) ])
self.NodeShiftedColor = v_uint32()
self.ParentNode = v_ptr32()
self.SecondaryColorMask = v_uint32()
self.DpcTimeLimit = v_uint32()
self.PrcbPad21 = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.CcFastReadNoWait = v_uint32()
self.CcFastReadWait = v_uint32()
self.CcFastReadNotPossible = v_uint32()
self.CcCopyReadNoWait = v_uint32()
self.CcCopyReadWait = v_uint32()
self.CcCopyReadNoWaitMiss = v_uint32()
self.MmSpinLockOrdering = v_uint32()
self.IoReadOperationCount = v_uint32()
self.IoWriteOperationCount = v_uint32()
self.IoOtherOperationCount = v_uint32()
self.IoReadTransferCount = LARGE_INTEGER()
self.IoWriteTransferCount = LARGE_INTEGER()
self.IoOtherTransferCount = LARGE_INTEGER()
self.CcFastMdlReadNoWait = v_uint32()
self.CcFastMdlReadWait = v_uint32()
self.CcFastMdlReadNotPossible = v_uint32()
self.CcMapDataNoWait = v_uint32()
self.CcMapDataWait = v_uint32()
self.CcPinMappedDataCount = v_uint32()
self.CcPinReadNoWait = v_uint32()
self.CcPinReadWait = v_uint32()
self.CcMdlReadNoWait = v_uint32()
self.CcMdlReadWait = v_uint32()
self.CcLazyWriteHotSpots = v_uint32()
self.CcLazyWriteIos = v_uint32()
self.CcLazyWritePages = v_uint32()
self.CcDataFlushes = v_uint32()
self.CcDataPages = v_uint32()
self.CcLostDelayedWrites = v_uint32()
self.CcFastReadResourceMiss = v_uint32()
self.CcCopyReadWaitMiss = v_uint32()
self.CcFastMdlReadResourceMiss = v_uint32()
self.CcMapDataNoWaitMiss = v_uint32()
self.CcMapDataWaitMiss = v_uint32()
self.CcPinReadNoWaitMiss = v_uint32()
self.CcPinReadWaitMiss = v_uint32()
self.CcMdlReadNoWaitMiss = v_uint32()
self.CcMdlReadWaitMiss = v_uint32()
self.CcReadAheadIos = v_uint32()
self.KeAlignmentFixupCount = v_uint32()
self.KeExceptionDispatchCount = v_uint32()
self.KeSystemCalls = v_uint32()
self.AvailableTime = v_uint32()
self.PrcbPad22 = vstruct.VArray([ v_uint32() for i in xrange(2) ])
self.PPLookasideList = vstruct.VArray([ PP_LOOKASIDE_LIST() for i in xrange(16) ])
self.PPNxPagedLookasideList = vstruct.VArray([ GENERAL_LOOKASIDE_POOL() for i in xrange(32) ])
self.PPNPagedLookasideList = vstruct.VArray([ GENERAL_LOOKASIDE_POOL() for i in xrange(32) ])
self.PPPagedLookasideList = vstruct.VArray([ GENERAL_LOOKASIDE_POOL() for i in xrange(32) ])
self.PacketBarrier = v_uint32()
self.ReverseStall = v_uint32()
self.IpiFrame = v_ptr32()
self.PrcbPad3 = vstruct.VArray([ v_uint8() for i in xrange(52) ])
self.CurrentPacket = vstruct.VArray([ v_ptr32() for i in xrange(3) ])
self.TargetSet = v_uint32()
self.WorkerRoutine = v_ptr32()
self.IpiFrozen = v_uint32()
self.PrcbPad4 = vstruct.VArray([ v_uint8() for i in xrange(40) ])
self.RequestSummary = v_uint32()
self.SignalDone = v_ptr32()
self.PrcbPad50 = vstruct.VArray([ v_uint8() for i in xrange(48) ])
self.InterruptLastCount = v_uint32()
self.InterruptRate = v_uint32()
self.DpcData = vstruct.VArray([ KDPC_DATA() for i in xrange(2) ])
self.DpcStack = v_ptr32()
self.MaximumDpcQueueDepth = v_uint32()
self.DpcRequestRate = v_uint32()
self.MinimumDpcRate = v_uint32()
self.DpcLastCount = v_uint32()
self.PrcbLock = v_uint32()
self.DpcGate = KGATE()
self.ThreadDpcEnable = v_uint8()
self.QuantumEnd = v_uint8()
self.DpcRoutineActive = v_uint8()
self.IdleSchedule = v_uint8()
self.DpcRequestSummary = v_uint32()
self.LastTimerHand = v_uint32()
self.LastTick = v_uint32()
self.PeriodicCount = v_uint32()
self.PeriodicBias = v_uint32()
self.ClockInterrupts = v_uint32()
self.ReadyScanTick = v_uint32()
self.BalanceState = v_uint8()
self.GroupSchedulingOverQuota = v_uint8()
self.PrcbPad41 = vstruct.VArray([ v_uint8() for i in xrange(10) ])
self._pad2260 = v_bytes(size=4)
self.TimerTable = KTIMER_TABLE()
self.CallDpc = KDPC()
self.ClockKeepAlive = v_uint32()
self.PrcbPad6 = vstruct.VArray([ v_uint8() for i in xrange(4) ])
self.DpcWatchdogPeriod = v_uint32()
self.DpcWatchdogCount = v_uint32()
self.KeSpinLockOrdering = v_uint32()
self.PrcbPad70 = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.QueueIndex = v_uint32()
self.DeferredReadyListHead = SINGLE_LIST_ENTRY()
self.WaitListHead = LIST_ENTRY()
self.WaitLock = v_uint32()
self.ReadySummary = v_uint32()
self.ReadyQueueWeight = v_uint32()
self.BuddyPrcb = v_ptr32()
self.StartCycles = v_uint64()
self.GenerationTarget = v_uint64()
self.CycleTime = v_uint64()
self.HighCycleTime = v_uint32()
self.ScbOffset = v_uint32()
self.AffinitizedCycles = v_uint64()
self.DispatcherReadyListHead = vstruct.VArray([ LIST_ENTRY() for i in xrange(32) ])
self.ChainedInterruptList = v_ptr32()
self.LookasideIrpFloat = v_uint32()
self.ScbQueue = RTL_RB_TREE()
self.ScbList = LIST_ENTRY()
self.MmPageFaultCount = v_uint32()
self.MmCopyOnWriteCount = v_uint32()
self.MmTransitionCount = v_uint32()
self.MmCacheTransitionCount = v_uint32()
self.MmDemandZeroCount = v_uint32()
self.MmPageReadCount = v_uint32()
self.MmPageReadIoCount = v_uint32()
self.MmCacheReadCount = v_uint32()
self.MmCacheIoCount = v_uint32()
self.MmDirtyPagesWriteCount = v_uint32()
self.MmDirtyWriteIoCount = v_uint32()
self.MmMappedPagesWriteCount = v_uint32()
self.MmMappedWriteIoCount = v_uint32()
self.CachedCommit = v_uint32()
self.CachedResidentAvailable = v_uint32()
self.HyperPte = v_ptr32()
self.PrcbPad8 = vstruct.VArray([ v_uint8() for i in xrange(4) ])
self.VendorString = vstruct.VArray([ v_uint8() for i in xrange(13) ])
self.InitialApicId = v_uint8()
self.LogicalProcessorsPerPhysicalProcessor = v_uint8()
self.PrcbPad9 = vstruct.VArray([ v_uint8() for i in xrange(5) ])
self.FeatureBits = v_uint32()
self._pad3c98 = v_bytes(size=4)
self.UpdateSignature = LARGE_INTEGER()
self.IsrTime = v_uint64()
self.Stride = v_uint32()
self.PrcbPad90 = v_uint32()
self.PowerState = PROCESSOR_POWER_STATE()
self.PrcbPad91 = vstruct.VArray([ v_uint32() for i in xrange(1) ])
self.DpcWatchdogDpc = KDPC()
self._pad3e58 = v_bytes(size=4)
self.DpcWatchdogTimer = KTIMER()
self.HypercallPageList = SLIST_HEADER()
self.HypercallPageVirtual = v_ptr32()
self.VirtualApicAssist = v_ptr32()
self.StatisticsPage = v_ptr32()
self.Cache = vstruct.VArray([ CACHE_DESCRIPTOR() for i in xrange(5) ])
self.CacheCount = v_uint32()
self.PackageProcessorSet = KAFFINITY_EX()
self.CacheProcessorMask = vstruct.VArray([ v_uint32() for i in xrange(5) ])
self.ScanSiblingMask = v_uint32()
self.CoreProcessorSet = v_uint32()
self.ScanSiblingIndex = v_uint32()
self.LLCLevel = v_uint32()
self.WheaInfo = v_ptr32()
self.EtwSupport = v_ptr32()
self._pad3f10 = v_bytes(size=4)
self.InterruptObjectPool = SLIST_HEADER()
self.PrcbPad92 = vstruct.VArray([ v_uint32() for i in xrange(8) ])
self.ProcessorProfileControlArea = v_ptr32()
self.ProfileEventIndexAddress = v_ptr32()
self.TimerExpirationDpc = KDPC()
self.SynchCounters = SYNCH_COUNTERS()
self.FsCounters = FILESYSTEM_DISK_COUNTERS()
self.Context = v_ptr32()
self.ContextFlagsInit = v_uint32()
self.ExtendedState = v_ptr32()
self.EntropyTimingState = KENTROPY_TIMING_STATE()
self._pad4160 = v_bytes(size=4)
class EXCEPTION_POINTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExceptionRecord = v_ptr32()
self.ContextRecord = v_ptr32()
class PPM_FFH_THROTTLE_STATE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.EnableLogging = v_uint8()
self._pad0004 = v_bytes(size=3)
self.MismatchCount = v_uint32()
self.Initialized = v_uint8()
self._pad0010 = v_bytes(size=7)
self.LastValue = v_uint64()
self.LastLogTickCount = LARGE_INTEGER()
class WHEA_XPF_NMI_DESCRIPTOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint16()
self.Enabled = v_uint8()
class PCW_REGISTRATION_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Version = v_uint32()
self.Name = v_ptr32()
self.CounterCount = v_uint32()
self.Counters = v_ptr32()
self.Callback = v_ptr32()
self.CallbackContext = v_ptr32()
class IO_REMOVE_LOCK_COMMON_BLOCK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Removed = v_uint8()
self.Reserved = vstruct.VArray([ v_uint8() for i in xrange(3) ])
self.IoCount = v_uint32()
self.RemoveEvent = KEVENT()
class IO_CACHE_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CacheAttribute = v_uint8()
class POP_TRIGGER_WAIT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Event = KEVENT()
self.Status = v_uint32()
self.Link = LIST_ENTRY()
self.Trigger = v_ptr32()
class KAFFINITY_EX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Count = v_uint16()
self.Size = v_uint16()
self.Reserved = v_uint32()
self.Bitmap = vstruct.VArray([ v_uint32() for i in xrange(1) ])
class ETW_WMITRACE_WORK(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LoggerId = v_uint32()
self.SpareUlong = v_uint32()
self.LoggerName = vstruct.VArray([ v_uint8() for i in xrange(65) ])
self.FileName = vstruct.VArray([ v_uint8() for i in xrange(129) ])
self._pad00cc = v_bytes(size=2)
self.MaximumFileSize = v_uint32()
self.MinBuffers = v_uint32()
self.MaxBuffers = v_uint32()
self.BufferSize = v_uint32()
self.Mode = v_uint32()
self.FlushTimer = v_uint32()
self._pad00e8 = v_bytes(size=4)
self.Status = v_uint32()
self._pad00f0 = v_bytes(size=4)
class PROVIDER_BINARY_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.ConsumersNotified = v_uint8()
self.Spare = vstruct.VArray([ v_uint8() for i in xrange(3) ])
self.DebugIdSize = v_uint32()
self.DebugId = CVDD()
class MMVIEW_CONTROL_AREA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ControlArea = v_ptr32()
class _unnamed_30885(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Internal = v_uint32()
class KSEMAPHORE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Header = DISPATCHER_HEADER()
self.Limit = v_uint32()
class _unnamed_28974(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.e2 = _unnamed_29028()
class _unnamed_28971(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFlags = v_uint32()
class KALPC_HANDLE_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.ObjectType = v_uint32()
self.DuplicateContext = v_ptr32()
class _unnamed_35666(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LongFlags2 = v_uint32()
class CM_CACHED_VALUE_INDEX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CellIndex = v_uint32()
self.Data = _unnamed_34744()
class _unnamed_34363(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = _unnamed_35986()
class _unnamed_30806(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ReferenceCache = v_uint8()
class LOG_HANDLE_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.LogHandle = v_ptr32()
self.FlushToLsnRoutine = v_ptr32()
self.QueryLogHandleInfoRoutine = v_ptr32()
self.DirtyPageStatistics = DIRTY_PAGE_STATISTICS()
self.DirtyPageThresholds = DIRTY_PAGE_THRESHOLDS()
self.AdditionalPagesToWrite = v_uint32()
self.CcLWScanDPThreshold = v_uint32()
self.LargestLsnForCurrentLWScan = LARGE_INTEGER()
self.RelatedFileObject = v_ptr32()
self.LargestLsnFileObjectKey = v_uint32()
self.LastLWTimeStamp = LARGE_INTEGER()
self.Flags = v_uint32()
self._pad0050 = v_bytes(size=4)
class _unnamed_35669(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SequentialVa = MI_VAD_SEQUENTIAL_INFO()
class _unnamed_34699(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = LARGE_INTEGER()
self.Length64 = v_uint32()
class PCW_COUNTER_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CounterMask = v_uint64()
self.InstanceMask = v_ptr32()
self._pad0010 = v_bytes(size=4)
class _unnamed_34693(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = LARGE_INTEGER()
self.Length40 = v_uint32()
class MI_SECTION_IMAGE_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ExportedImageInformation = SECTION_IMAGE_INFORMATION()
self.InternalImageInformation = MI_EXTRA_IMAGE_INFORMATION()
class _unnamed_34696(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Start = LARGE_INTEGER()
self.Length48 = v_uint32()
class _unnamed_34400(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BlockedDriverGuid = GUID()
class DBGKD_WRITE_BREAKPOINT32(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakPointAddress = v_uint32()
self.BreakPointHandle = v_uint32()
class DBGKD_BREAKPOINTEX(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.BreakPointCount = v_uint32()
self.ContinueStatus = v_uint32()
class _unnamed_28035(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Type = v_uint32()
class IMAGE_NT_HEADERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Signature = v_uint32()
self.FileHeader = IMAGE_FILE_HEADER()
self.OptionalHeader = IMAGE_OPTIONAL_HEADER()
class _unnamed_34402(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ParentId = vstruct.VArray([ v_uint16() for i in xrange(1) ])
class ETW_REPLY_QUEUE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Queue = KQUEUE()
self.EventsLost = v_uint32()
class OBJECT_TYPE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.TypeList = LIST_ENTRY()
self.Name = UNICODE_STRING()
self.DefaultObject = v_ptr32()
self.Index = v_uint8()
self._pad0018 = v_bytes(size=3)
self.TotalNumberOfObjects = v_uint32()
self.TotalNumberOfHandles = v_uint32()
self.HighWaterNumberOfObjects = v_uint32()
self.HighWaterNumberOfHandles = v_uint32()
self.TypeInfo = OBJECT_TYPE_INITIALIZER()
self.TypeLock = EX_PUSH_LOCK()
self.Key = v_uint32()
self.CallbackList = LIST_ENTRY()
class ALPC_MESSAGE_ZONE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Mdl = v_ptr32()
self.UserVa = v_ptr32()
self.UserLimit = v_ptr32()
self.SystemVa = v_ptr32()
self.SystemLimit = v_ptr32()
self.Size = v_uint32()
class KNODE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.DeepIdleSet = v_uint32()
self._pad0040 = v_bytes(size=60)
self.ProximityId = v_uint32()
self.NodeNumber = v_uint16()
self.PrimaryNodeNumber = v_uint16()
self.MaximumProcessors = v_uint8()
self.Flags = flags()
self.Stride = v_uint8()
self.NodePad0 = v_uint8()
self.Affinity = GROUP_AFFINITY()
self.IdleCpuSet = v_uint32()
self.IdleSmtSet = v_uint32()
self._pad0080 = v_bytes(size=32)
self.Seed = v_uint32()
self.Lowest = v_uint32()
self.Highest = v_uint32()
self.ParkLock = v_uint32()
self.NonParkedSet = v_uint32()
self._pad00c0 = v_bytes(size=44)
class PRIVILEGE_SET(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PrivilegeCount = v_uint32()
self.Control = v_uint32()
self.Privilege = vstruct.VArray([ LUID_AND_ATTRIBUTES() for i in xrange(1) ])
class ALPC_HANDLE_TABLE(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Handles = v_ptr32()
self.TotalHandles = v_uint32()
self.Flags = v_uint32()
self.Lock = EX_PUSH_LOCK()
class _unnamed_27736(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Overlay = _unnamed_27809()
self._pad0030 = v_bytes(size=4)
class CM_KEY_HASH_TABLE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = EX_PUSH_LOCK()
self.Owner = v_ptr32()
self.Entry = v_ptr32()
class HMAP_DIRECTORY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Directory = vstruct.VArray([ v_ptr32() for i in xrange(1024) ])
class IO_WORKITEM(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.WorkItem = WORK_QUEUE_ITEM()
self.Routine = v_ptr32()
self.IoObject = v_ptr32()
self.Context = v_ptr32()
self.Type = v_uint32()
self.ActivityId = GUID()
class RTL_DYNAMIC_HASH_TABLE_ENUMERATOR(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.HashEntry = RTL_DYNAMIC_HASH_TABLE_ENTRY()
self.ChainHead = v_ptr32()
self.BucketIndex = v_uint32()
class SYSTEM_POWER_CAPABILITIES(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.PowerButtonPresent = v_uint8()
self.SleepButtonPresent = v_uint8()
self.LidPresent = v_uint8()
self.SystemS1 = v_uint8()
self.SystemS2 = v_uint8()
self.SystemS3 = v_uint8()
self.SystemS4 = v_uint8()
self.SystemS5 = v_uint8()
self.HiberFilePresent = v_uint8()
self.FullWake = v_uint8()
self.VideoDimPresent = v_uint8()
self.ApmPresent = v_uint8()
self.UpsPresent = v_uint8()
self.ThermalControl = v_uint8()
self.ProcessorThrottle = v_uint8()
self.ProcessorMinThrottle = v_uint8()
self.ProcessorMaxThrottle = v_uint8()
self.FastSystemS4 = v_uint8()
self.Hiberboot = v_uint8()
self.WakeAlarmPresent = v_uint8()
self.AoAc = v_uint8()
self.DiskSpinDown = v_uint8()
self.spare3 = vstruct.VArray([ v_uint8() for i in xrange(8) ])
self.SystemBatteriesPresent = v_uint8()
self.BatteriesAreShortTerm = v_uint8()
self.BatteryScale = vstruct.VArray([ BATTERY_REPORTING_SCALE() for i in xrange(3) ])
self.AcOnLineWake = v_uint32()
self.SoftLidWake = v_uint32()
self.RtcWake = v_uint32()
self.MinDeviceWakeState = v_uint32()
self.DefaultLowLatencyWake = v_uint32()
class THERMAL_INFORMATION(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ThermalStamp = v_uint32()
self.ThermalConstant1 = v_uint32()
self.ThermalConstant2 = v_uint32()
self.Processors = v_uint32()
self.SamplingPeriod = v_uint32()
self.CurrentTemperature = v_uint32()
self.PassiveTripPoint = v_uint32()
self.CriticalTripPoint = v_uint32()
self.ActiveTripPointCount = v_uint8()
self._pad0024 = v_bytes(size=3)
self.ActiveTripPoint = vstruct.VArray([ v_uint32() for i in xrange(10) ])
class MMEXTEND_INFO(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.CommittedSize = v_uint64()
self.ReferenceCount = v_uint32()
self._pad0010 = v_bytes(size=4)
class VF_TARGET_ALL_SHARED_EXPORT_THUNKS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.SharedExportThunks = v_ptr32()
self.PoolSharedExportThunks = v_ptr32()
self.OrderDependentSharedExportThunks = v_ptr32()
self.XdvSharedExportThunks = v_ptr32()
class RTL_USER_PROCESS_PARAMETERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.MaximumLength = v_uint32()
self.Length = v_uint32()
self.Flags = v_uint32()
self.DebugFlags = v_uint32()
self.ConsoleHandle = v_ptr32()
self.ConsoleFlags = v_uint32()
self.StandardInput = v_ptr32()
self.StandardOutput = v_ptr32()
self.StandardError = v_ptr32()
self.CurrentDirectory = CURDIR()
self.DllPath = UNICODE_STRING()
self.ImagePathName = UNICODE_STRING()
self.CommandLine = UNICODE_STRING()
self.Environment = v_ptr32()
self.StartingX = v_uint32()
self.StartingY = v_uint32()
self.CountX = v_uint32()
self.CountY = v_uint32()
self.CountCharsX = v_uint32()
self.CountCharsY = v_uint32()
self.FillAttribute = v_uint32()
self.WindowFlags = v_uint32()
self.ShowWindowFlags = v_uint32()
self.WindowTitle = UNICODE_STRING()
self.DesktopInfo = UNICODE_STRING()
self.ShellInfo = UNICODE_STRING()
self.RuntimeData = UNICODE_STRING()
self.CurrentDirectores = vstruct.VArray([ RTL_DRIVE_LETTER_CURDIR() for i in xrange(32) ])
self.EnvironmentSize = v_uint32()
self.EnvironmentVersion = v_uint32()
self.PackageDependencyData = v_ptr32()
self.ProcessGroupId = v_uint32()
class _unnamed_34963(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.s1 = _unnamed_36621()
class ACTIVATION_CONTEXT(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
class FILESYSTEM_DISK_COUNTERS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.FsBytesRead = v_uint64()
self.FsBytesWritten = v_uint64()
class MM_DRIVER_VERIFIER_DATA(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Level = v_uint32()
self.RaiseIrqls = v_uint32()
self.AcquireSpinLocks = v_uint32()
self.SynchronizeExecutions = v_uint32()
self.AllocationsAttempted = v_uint32()
self.AllocationsSucceeded = v_uint32()
self.AllocationsSucceededSpecialPool = v_uint32()
self.AllocationsWithNoTag = v_uint32()
self.TrimRequests = v_uint32()
self.Trims = v_uint32()
self.AllocationsFailed = v_uint32()
self.AllocationsFailedDeliberately = v_uint32()
self.Loads = v_uint32()
self.Unloads = v_uint32()
self.UnTrackedPool = v_uint32()
self.UserTrims = v_uint32()
self.CurrentPagedPoolAllocations = v_uint32()
self.CurrentNonPagedPoolAllocations = v_uint32()
self.PeakPagedPoolAllocations = v_uint32()
self.PeakNonPagedPoolAllocations = v_uint32()
self.PagedBytes = v_uint32()
self.NonPagedBytes = v_uint32()
self.PeakPagedBytes = v_uint32()
self.PeakNonPagedBytes = v_uint32()
self.BurstAllocationsFailedDeliberately = v_uint32()
self.SessionTrims = v_uint32()
self.OptionChanges = v_uint32()
self.VerifyMode = v_uint32()
self.PreviousBucketName = UNICODE_STRING()
self.ActivityCounter = v_uint32()
self.PreviousActivityCounter = v_uint32()
self.WorkerTrimRequests = v_uint32()
class _unnamed_37043(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Mbr = _unnamed_37222()
self._pad0010 = v_bytes(size=8)
class SEP_LOWBOX_NUMBER_MAPPING(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Lock = EX_PUSH_LOCK()
self.Bitmap = RTL_BITMAP()
self.HashTable = v_ptr32()
self.Active = v_uint8()
self._pad0014 = v_bytes(size=3)
class IOP_IRP_EXTENSION_STATUS(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Flags = v_uint32()
self.ActivityId = v_uint32()
self.IoTracking = v_uint32()
class ALPC_COMPLETION_LIST_HEADER(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.StartMagic = v_uint64()
self.TotalSize = v_uint32()
self.ListOffset = v_uint32()
self.ListSize = v_uint32()
self.BitmapOffset = v_uint32()
self.BitmapSize = v_uint32()
self.DataOffset = v_uint32()
self.DataSize = v_uint32()
self.AttributeFlags = v_uint32()
self.AttributeSize = v_uint32()
self._pad0040 = v_bytes(size=20)
self.State = ALPC_COMPLETION_LIST_STATE()
self.LastMessageId = v_uint32()
self.LastCallbackId = v_uint32()
self._pad0080 = v_bytes(size=48)
self.PostCount = v_uint32()
self._pad00c0 = v_bytes(size=60)
self.ReturnCount = v_uint32()
self._pad0100 = v_bytes(size=60)
self.LogSequenceNumber = v_uint32()
self._pad0140 = v_bytes(size=60)
self.UserLock = RTL_SRWLOCK()
self._pad0148 = v_bytes(size=4)
self.EndMagic = v_uint64()
self._pad0180 = v_bytes(size=48)
class ETW_QUEUE_ENTRY(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.DataBlock = v_ptr32()
self.RegEntry = v_ptr32()
self.ReplyObject = v_ptr32()
self.WakeReference = v_ptr32()
self.RegIndex = v_uint16()
self.ReplyIndex = v_uint16()
self.Flags = v_uint32()
class _unnamed_27954(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
self.EaList = v_ptr32()
self.EaListLength = v_uint32()
self.EaIndex = v_uint32()
class u(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.KeyNode = CM_KEY_NODE()
class IO_RESOURCE_REQUIREMENTS_LIST(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListSize = v_uint32()
self.InterfaceType = v_uint32()
self.BusNumber = v_uint32()
self.SlotNumber = v_uint32()
self.Reserved = vstruct.VArray([ v_uint32() for i in xrange(3) ])
self.AlternativeLists = v_uint32()
self.List = vstruct.VArray([ IO_RESOURCE_LIST() for i in xrange(1) ])
class VF_WATCHDOG_IRP(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.ListEntry = LIST_ENTRY()
self.Irp = v_ptr32()
self.DueTickCount = v_uint32()
self.Inserted = v_uint8()
self.TrackedStackLocation = v_uint8()
self.CancelTimeoutTicks = v_uint16()
class MMWSLE_NONDIRECT_HASH(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Key = v_ptr32()
self.Index = v_uint32()
class _unnamed_27959(vstruct.VStruct):
def __init__(self):
vstruct.VStruct.__init__(self)
self.Length = v_uint32()
|
Want a 30-second preview for the fêted music video? You probably don't anymore. But maybe you did pre-August 2015.
The date is set - get ready for the music video to end all music videos. Trainspotting - The Music Video: Monday 31st August 2015 on Expluce ONE.
|
import re,sys
# ********************************************************************************************************************
# Exception Handler
# ********************************************************************************************************************
class ForthException(Exception):
def __init__(self,msg):
print(msg)
sys.exit(1)
# ********************************************************************************************************************
# Micro Forth Core Class
# ********************************************************************************************************************
class uForthCore:
def __init__(self):
self.core = [ord(x) for x in open("uforth.core").read(-1)] # read in core file
self.dictionary = {} # extract dictionary.
pos = 2048
while self.core[pos] != 0xFF: # keep going till done.
addr = self.core[pos] * 256 + self.core[pos+1] # word address.
word = "" # extract ASCIIZ name
pos += 2
while self.core[pos] != 0:
word = word + chr(self.core[pos])
pos += 1
pos += 1
self.dictionary[word] = addr # store it.
self.vocabulary = self.dictionary.keys() # sorted vocab list
self.vocabulary.sort()
def getCore(self,address):
return self.core[address]
def getCoreSize(self):
return self.dictionary["$$topkernel"] # where code starts.
def getVocabulary(self):
return self.vocabulary
def getWordAddress(self,word):
return self.dictionary[word.lower()]
# ********************************************************************************************************************
# Word source
# ********************************************************************************************************************
class WordStream:
def __init__(self,fileList = None):
if fileList is None: # load in from forth.make
fileList = [x.strip() for x in open("uforth.make").readlines() if x.strip() != ""]
self.words = []
for f in fileList: # for each file
src = open(f).readlines() # read in the source
src = [x if x.find("//") < 0 else x[:x.find("//")] for x in src] # remove comments
src = " ".join(src).replace("\t"," ").replace("\n"," ").lower() # one long string, no tab/return
for w in src.split(): # split into words
if w != "": # append non null
self.words.append(w)
self.pointer = 0 # index into word stream
def endOfStream(self): # check end of stream
return self.pointer >= len(self.words)
def get(self): # get next word, "" if none.
w = "" if self.endOfStream() else self.words[self.pointer]
self.pointer += 1
return w
# ********************************************************************************************************************
# Compiler
# ********************************************************************************************************************
class Compiler:
def __init__(self,wordStream):
self.core = uForthCore() # get the core object
self.wordStream = wordStream # save reference to word stream.
self.dictionary = {} # copy it
for word in self.core.getVocabulary():
self.dictionary[word] = self.core.getWordAddress(word)
self.code = [] # copy the core
for i in range(0,self.core.getCoreSize()):
self.code.append(self.core.getCore(i))
self.pointer = self.core.getCoreSize() # next free address
self.currentDefinition = None # current definition (for self)
self.nextVariable = 0 # next variable to be allocated
self.pendingThen = None # no pending then
self.isListing = True
print("Loaded {0} bytes uForth core.".format(self.pointer))
while not self.wordStream.endOfStream():
self.compile(self.wordStream.get())
dStack = (0xFF + self.nextVariable) / 2 # split dstack / rstack
print(self.nextVariable+0xFF)/2
self.code[self.core.getWordAddress("$$startmarker")+2] = dStack
open("a.out","wb").write("".join([chr(x) for x in self.code]))
def define(self,name,address,show = True):
assert name != "","No name provided." # check valid name
self.dictionary[name] = address # remember pointer
if self.isListing and show:
print("{0:04x} ==== :{1} ====".format(address,name))
if name == "__main": # if __main tell uForth
startPtr = self.core.getWordAddress("$$startmarker")
self.code[startPtr] = address / 256
self.code[startPtr+1] = address & 255
def compile(self,word):
if word == ':': # word definition ?
name = self.wordStream.get()
self.define(name,self.pointer)
if name != "__main":
self.compileByte(0xDD,"(sep rd)")
self.currentDefinition = self.pointer
elif word == "variable": # variable definition ?
self.define(self.wordStream.get(),0x1000+self.nextVariable)
self.nextVariable += 1
elif word == "alloc": # allocate memory ?
self.nextVariable += int(self.wordStream.get())
elif word == "if": # if ?
self.pendingThen = self.pointer
self.compileWord("0br")
self.compileByte(0,"(placeholder)")
elif word == "then": # then ?
self.closeThen()
elif word == "self": # tail recursion ?
self.compileWord("br")
n = self.currentDefinition - (self.pointer+1)
self.compileByte(n,"("+str(n)+")")
elif re.match("^\\-?\\d+$",word): # decimal constant ?
self.compileConstant(int(word))
elif re.match("^\\$[0-9a-f]+$",word): # hexadecimal constant ?
self.compileConstant(int(word[1:],16))
elif re.match("^\\[[0-9a-f]+\\]$",word): # byte data ?
word = word[1:-1]
for i in range(0,len(word),2):
n = int(word[i:i+2],16)
self.compileByte(n,"data "+str(n))
else: # is it a dictionary word ?
if word not in self.dictionary: # check the dictionary.
raise ForthException("Don't understand "+word)
if (self.dictionary[word] & 0x1000) != 0:
self.compileConstant(self.dictionary[word] & 0xFF)
else:
self.compileWord(word)
if word == ";": # ; close any pending thens.
self.closeThen()
def closeThen(self):
if self.pendingThen is not None:
self.code[self.pendingThen+1] = self.pointer - (self.pendingThen+2)
if self.isListing:
print("{0:04x} {1:02x} branch patch".format(self.pendingThen+1,self.code[self.pendingThen+1]))
self.pendingThen = None
def compileConstant(self,constant):
if str(constant) in self.dictionary:
self.compileWord(str(constant))
else:
self.compileWord("literal")
self.compileByte(constant,"("+str(constant)+")")
def compileWord(self,word):
assert word in self.dictionary,"Word "+word+" unknown."
addr = self.dictionary[word]
if addr < 0xF8:
self.compileByte(addr,word)
else:
self.compileByte((addr >> 8) | 0xF8,word)
self.compileByte(addr & 0xFF,"")
def compileByte(self,byte,text):
byte &= 0xFF
if self.isListing:
print("{0:04x} {1:02x} {2}".format(self.pointer,byte,text))
self.code.append(byte)
self.pointer += 1
c = Compiler(WordStream())
|
C.PAY content rating is Everyone. This app is listed in Finance category of app store . You could visit Cryptopay Ltd's website to know more about the company/developer who developed this. C.PAY can be downloaded and installed on android devices supporting 10 api and above.. Download the app using your favorite browser and click on install to install the app. Please note that we provide original and pure apk file and provide faster download speed than C.PAY apk mirrors. Versions of this app apk available with us: 1.10 , 1.9.2 , 1.9.1 , 1.8.3 , 1.7 , 1.4.1 , 1.3.2 , 1.2 , 1.1.1 . You could also download apk of C.PAY and run it using popular android emulators.
|
# coding=utf-8
import os
from sys import platform
from locale import setlocale, LC_ALL
BASE_DIR = os.path.dirname(os.path.dirname(__file__))
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'ky-kr37p8k^qdos0dk(ijv9m%*8(zre2+s@yct%+w(2(z1$2h2'
DEBUG = False
ALLOWED_HOSTS = ['localhost', '127.0.0.1']
INSTALLED_APPS = (
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'django.contrib.admin',
'django_cron',
'base',
'slideshow',
'plugins',
)
# Containers - applications for plug-ins of the Servus
CONTAINER_APPS = (
'system', # System application. Don't delete it!
'home', # System application. Don't delete it!
'events', # System application. Don't delete it!
'climate',
'weather',
)
PLUGINS = (
# 'plugins.user_sms_ru', # Sending sms through the website sms.ru
'plugins.arduino', # Arduino controller
# 'plugins.arduino_bh1750', # for connecting a BH1750 sensors (ambient light measurement) to the Arduino
# 'plugins.arduino_bmp085', # for connecting a BMP085/BMP180 sensor to the Arduino
# 'plugins.arduino_dht', # for connecting a DHT sensor (DHT11, DHT22) to the Arduino
# 'plugins.arduino_ds18d20', # for connecting a DS18D20 sensor to the Arduino
'plugins.arduino_on_off_switch', # on/off switch states
# 'plugins.arduino_reed_switch', # reed switch sensors
# 'plugins.arduino_yl83', # for connecting a YL-83 raindrop sensors
# 'plugins.weather_openweathermap', # weather forecast from openweathermap.org
# 'plugins.weather_weather_ua', # weather from weather.ua
# 'plugins.system_hddtemp', # temperature HDD in linux (need to install hddtemp)
'plugins.system_ip_online', # ping utility
'plugins.system_mac_online', # search for device mac address in the home network
)
INSTALLED_APPS += (PLUGINS + CONTAINER_APPS)
MIDDLEWARE_CLASSES = (
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.auth.middleware.SessionAuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
'django.middleware.security.SecurityMiddleware',
)
ROOT_URLCONF = 'base.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': ['/plugins/{0}/tempates/'.format(p.split('.')[1]) for p in PLUGINS],
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
'django.template.context_processors.i18n',
'django.template.context_processors.media',
'django.template.context_processors.static',
'django.template.context_processors.tz',
],
'debug': False,
},
},
]
# Media files
MEDIA_ROOT = os.path.join(BASE_DIR, 'media')
MEDIA_URL = '/media/'
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/1.8/howto/static-files/
STATIC_ROOT = os.path.join(BASE_DIR, 'static')
STATIC_URL = '/static/'
STATICFILES_FINDERS = (
'django.contrib.staticfiles.finders.FileSystemFinder',
'django.contrib.staticfiles.finders.AppDirectoriesFinder',
)
WSGI_APPLICATION = 'base.wsgi.application'
# Database
# https://docs.djangoproject.com/en/1.8/ref/settings/#databases
DATABASES = {
'default': {
# 'ENGINE': 'django.db.backends.postgresql_psycopg2',
# 'NAME': 'servusdb',
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
CONN_MAX_AGE = 60
if 'win' in platform:
OS = 'windows'
LOCALE = 'Russian'
elif 'linux' in platform:
OS = 'linux'
LOCALE = 'ru_RU.utf8'
else:
OS = 'unknown'
LOCALE = ''
# Internationalization
# https://docs.djangoproject.com/en/1.8/topics/i18n/
TIME_ZONE = 'Europe/Moscow'
LANGUAGE_CODE = 'ru-RU'
setlocale(LC_ALL, LOCALE)
USE_I18N = True
USE_L10N = True
USE_TZ = False
# =================== #
# Servus settings #
# =================== #
SITE_NAME = 'Servus'
# Bootstrap theme (dark or light)
THEME = 'dark'
ALERTS = {0: 'default', 1: 'success', 2: 'info', 3: 'warning', 4: 'danger'}
# Настройки почтового аккаунта gmail для отправки писем
# Запуск эмулятора почтового сервера: python -m smtpd -n -c DebuggingServer localhost:587
EMAIL_BACKEND = 'django.core.mail.backends.smtp.EmailBackend'
# EMAIL_BACKEND = 'django.core.mail.backends.console.EmailBackend'
EMAIL_USE_TLS = True
EMAIL_HOST = 'localhost' # 'smtp.gmail.com'
EMAIL_PORT = 587
EMAIL_HOST_USER = '[email protected]'
# EMAIL_HOST_PASSWORD = 'password'
# Cookies settings
SESSION_COOKIE_NAME = 'Servus_sessionid'
SESSION_COOKIE_AGE = 99999999
# Tasks for django-cron
CRON_CLASSES = [
'django_cron.cron.FailedRunsNotificationCronJob',
'base.cron.DelOutdatedEvents',
'slideshow.cron.SlideshowJob',
# 'events.cron.EmailsSendJob',
# 'events.cron.SMSSendJob',
# 'system.cron.PerfomArduinoCommands',
# 'home.cron.GetOnOffSwitchState',
# 'climate.cron.GetAmbientLightData',
# 'climate.cron.GetPressureData',
# 'climate.cron.GetRaindropData',
# 'climate.cron.GetTempHumidData',
# 'weather.cron.GetWeatherJob',
# 'plugins.system_hddtemp.cron.GetHDDTemp',
# 'plugins.system_ip_online.cron.GetIPOnline',
# 'plugins.system_mac_online.cron.GetMACOnline',
]
DJANGO_CRON_DELETE_LOGS_OLDER_THAN = 32
LOGGING = {
'version': 1,
'disable_existing_loggers': False,
'filters': {
'require_debug_false': {
'()': 'django.utils.log.RequireDebugFalse',
},
'require_debug_true': {
'()': 'django.utils.log.RequireDebugTrue',
},
},
'formatters': {
'main_formatter': {
'format': '%(asctime)s [%(levelname)s] %(name)s:\n'
'Message: %(message)s\n'
'Path: %(pathname)s:%(lineno)d in function: %(funcName)s\n',
'datefmt': '%Y-%m-%d %H:%M:%S',
},
},
'handlers': {
'production_file': {
'level': 'WARNING',
'class': 'logging.handlers.RotatingFileHandler',
'filename': os.path.join(BASE_DIR, 'logs/product.log'),
'maxBytes': 1024 * 1024 * 5, # 5 MB
'backupCount': 7,
'formatter': 'main_formatter',
'filters': ['require_debug_false'],
},
'debug_file': {
'level': 'DEBUG',
'class': 'logging.handlers.RotatingFileHandler',
'filename': os.path.join(BASE_DIR, 'logs/debug.log'),
'maxBytes': 1024 * 1024 * 5, # 5 MB
'backupCount': 7,
'formatter': 'main_formatter',
'filters': ['require_debug_true'],
},
'console': {
'level': 'INFO',
'filters': ['require_debug_true'],
'class': 'logging.StreamHandler',
},
'null': {
'class': 'logging.NullHandler',
},
'mail_admins': {
'level': 'ERROR',
'filters': ['require_debug_false'],
'class': 'django.utils.log.AdminEmailHandler'
}
},
'loggers': {
'django': {
'handlers': ['null', ],
},
'django.request': {
'handlers': ['mail_admins', 'console'],
'level': 'ERROR',
'propagate': True,
},
'django.security': {
'handlers': ['mail_admins', 'console'],
'level': 'ERROR',
'propagate': True,
},
'py.warnings': {
'handlers': ['null', ],
},
'': {
'handlers': ['console', 'production_file', 'debug_file'],
'level': 'DEBUG',
},
}
}
|
Paramanu means something in Buddhism, Pali, Hinduism, Sanskrit, Jainism, Prakrit, Marathi. If you want to know the exact meaning, history, etymology or English translation of this term then check out the descriptions on this page. Add your comment or reference to a book if you want to contribute to this summary article.
Paramāṇu (परमाणु):—Caraka has explained that the body parts can be divided and re-divided into innumerable individual components called ‘Paramāṇus’. These are innumerable because of their huge number, highly minute structure a nd limited perceptive ability of sense organs (Carakasaṃhitā Śārirasthāna 7.17). This statement indicates that there existed a concept of minute and numerous individual living units in the body. Today we call such microscopic units by the name ‘Cell’.
Paramāṇu (द्रोणी, “atom”) is the Sanskrit name for a unit of measurement, used in Vāstuśāstra literature, according to the Mānasāra II.40-53. A single Paramāṇu unit corresponds to the smalles unit possible. It takes 8 Paramāṇu units to make a single Rathadhūli unit.
The smallest unit, which is paramāṇu, atom is stated ta be perceived (only) by the sages. For all practical purposes, aṅgula is the smallest unit of measurement. For this reason, it is seen to be treated in a special way in the text with regards to its universality that significantly downplays its semantic reference to the body.
Paramāṇu (परमाणु).—A time-unit equal to one-half of the unit called अणु (aṇu), which forms one-half of the unit called मात्रा (mātrā) which is required for the purpose of the utterance of a consonant; cf. परमाणु अर्धाणुमात्रा (paramāṇu ardhāṇumātrā) V. Pr.I.61. परमाणु (paramāṇu), in short, is the duration of very infinitesimal time equal to the pause between two individual continuous sounds. The interval between the utterances of two consecutive consonants is given to be equivalent to one Paramanu; cf. वर्णान्तरं परमाणु (varṇāntaraṃ paramāṇu) R.T.34.
Paramāṇu (परमाणु, “atom”).—The Buddhas and dharmakāya Bodhisattvas who are able to number the atoms (paramāṇu) that arise and cease in the whole of Jambudvīpa, according to Mahāprajñāpāramitāśāstra (chapter XIV).
Atom; The smallest (indivisible) particle or unit of matter substance which can not be further divided is called an atom (paramanu).
An atom (paramanu) has also one spatial unit. Even then how is it called an astikaya?
Although an atom (paramanu) has only one spatial unit, even then it has the power of attaining manifoldness of spatial units (pradeshas) by becoming a molecule. It is, therefore, conventionally called an astikaya.
Paramāṇu (परमाणु, “sub-atom”).—What is meant by sub-atom (paramāṇu)? The smallest indivisible part of matter (pudagala) is called paramāṇu.
Paramāṇu (परमाणु) refers to “sub-atom” according to the 2nd-century Tattvārthasūtra 5.1.—The sub-atom (paramāṇu), being without space-points or with one space point, is included as existent body (astikāya). As sub-atom (paramāṇu) has dry and oily attributes and hence has potential to be with many space-points, it is included as existent body.
Paramāṇu (“sub-atom”) refers to one of the two types of matter (pudgala) according to the 2nd-century Tattvārthasūtra 5.5.—What is the meaning of a sub-atom (paramāṇu)? The smallest indivisible part with one space point is its volume is called sub-atom. What are the beginning, middle and end of a sub-atom? A sub-atom is so minute that it is the beginning, middle and end of itself. What are the characteristics of a sub-atom? The peculiarities of an sub-atom is its round shape, two touches, one taste, one smell and one colour and cognized by its activity only.
According to Tattvārthasūtra 5.27, “the sub-atom (is produced only) by division (fission)”. A sub-atom (paramāṇu) can be created by fission (bheda) only. What is the difference between an āṇu and paramāṇu in Jain philosophy? Literally there are same but philosophically we can say it is similar to sub-atom and its smallest constituent (quark identified till now).
paramāṇu : (m.) the 36th part of an aṇu.
paramāṇu (परमाणु).—m (S) An atom, the invisible base of all aggregate bodies. Thirty are supposed to form a mote in a sunbeam. This is the lowest measure of weight. See aṇu.
Paramāṇu (परमाणु).—an infinitesimal particle, an atom; सिकतात्वादपि परां प्रपेदे पर- माणुताम् (sikatātvādapi parāṃ prapede para- māṇutām) R.15.22; परगुणपरमाणून् पर्वतीकृत्य नित्यम् (paraguṇaparamāṇūn parvatīkṛtya nityam) Bh.2.78; पृथ्वी नित्या परमाणुरूपा (pṛthvī nityā paramāṇurūpā) T. S; (a paramāṇu is thus defined:-- jālāntarasthasūryāṃśau yat sūkṣmaṃ dṛśyate rajaḥ | bhāgastasya ca ṣaṣṭho yaḥ paramāṇuḥ sa ucyate || Tarka K., or less accurately:-jālā- ntaragate raśmau yat sūkṣmaṃ dṛśyate rajaḥ | tasya triṃśattamo bhāgaḥ paramāṇuḥ sa ucyate ||) °अङ्गकः (aṅgakaḥ) an epithet of Viṣṇu.
Paramāṇu is a Sanskrit compound consisting of the terms parama and aṇu (अणु).
|
# Copyright 2017 the Isard-vdi project authors:
# Josep Maria Viñolas Auquer
# Alberto Larraz Dalmases
# License: AGPLv3
#!flask/bin/python
# coding=utf-8
import json
import time
from flask import render_template, Response, request, redirect, url_for, flash
from flask_login import login_required
from webapp import app
from ...lib import admin_api
app.adminapi = admin_api.isardAdmin()
import rethinkdb as r
from ...lib.flask_rethink import RethinkDB
db = RethinkDB(app)
db.init_app(app)
from .decorators import isAdmin
'''
HYPERVISORS
'''
@app.route('/isard-admin/admin/hypervisors', methods=['GET'])
@login_required
@isAdmin
def admin_hypervisors():
# ~ hypers=app.adminapi.hypervisors_get()
return render_template('admin/pages/hypervisors.html', title="Hypervisors", header="Hypervisors", nav="Hypervisors")
@app.route('/isard-admin/admin/hypervisors/json')
@app.route('/isard-admin/admin/hypervisors/json/<id>')
@login_required
@isAdmin
def admin_hypervisors_json(id=None):
domain = app.adminapi.hypervisors_get(id)
return json.dumps(domain), 200, {'Content-Type':'application/json'}
@app.route('/isard-admin/admin/hypervisors_pools', methods=['GET','POST'])
@login_required
@isAdmin
def hypervisors_pools_get():
res=True
if request.method == 'POST':
ca=request.form['viewer-certificate']
pre_dict=request.form
pre_dict.pop('viewer-certificate', None)
create_dict=app.isardapi.f.unflatten_dict(request.form)
create_dict['viewer']['certificate']=ca
#check and parse name not done!
create_dict['id']=create_dict['name']
create_dict['interfaces']=[create_dict['interfaces']]
if res == True:
flash('Hypervisor pool '+create_dict['id']+' added to the system.','success')
return render_template('admin/pages/hypervisors.html', title="Hypervisors", header="Hypervisors", nav="Hypervisors")
else:
flash('Could not create hypervisor pool. Maybe you have one with the same name?','danger')
return render_template('pages/hypervisors.html', nav="Hypervisors")
return json.dumps(app.adminapi.hypervisors_pools_get(flat=False)), 200, {'Content-Type': 'application/json'}
|
Curious? Want to know more? Watch our promotional DVD to see us in action. Email any questions you have to [email protected].
The Liberty University Spirit of the Mountain is preceded by this video montage of our pregame performances.
The Liberty University Marching Band was honored to be invited to perform their show "Kaleidoscope" at the Bands of America Super Regional in Atlanta, GA.
This video will give you insight into what it's like to travel with the Marching Band, including all of the fun stops we make along the way to our performance destination!
The Liberty University Marching Band Color guard performs with flags, weapons, dance, and other special performance features in the Marching Band show every year.
Interested in auditioning? Contact Guard Instructor Bryanna Tester at [email protected].
|
"""Proxy classes and functions."""
# Copyright (C) PyZMQ Developers
# Distributed under the terms of the Modified BSD License.
import zmq
from zmq.devices.basedevice import Device, ThreadDevice, ProcessDevice
class ProxyBase(object):
"""Base class for overriding methods."""
def __init__(self, in_type, out_type, mon_type=zmq.PUB):
Device.__init__(self, in_type=in_type, out_type=out_type)
self.mon_type = mon_type
self._mon_binds = []
self._mon_connects = []
self._mon_sockopts = []
def bind_mon(self, addr):
"""Enqueue ZMQ address for binding on mon_socket.
See zmq.Socket.bind for details.
"""
self._mon_binds.append(addr)
def connect_mon(self, addr):
"""Enqueue ZMQ address for connecting on mon_socket.
See zmq.Socket.bind for details.
"""
self._mon_connects.append(addr)
def setsockopt_mon(self, opt, value):
"""Enqueue setsockopt(opt, value) for mon_socket
See zmq.Socket.setsockopt for details.
"""
self._mon_sockopts.append((opt, value))
def _setup_sockets(self):
ins,outs = Device._setup_sockets(self)
ctx = self._context
mons = ctx.socket(self.mon_type)
# set sockopts (must be done first, in case of zmq.IDENTITY)
for opt,value in self._mon_sockopts:
mons.setsockopt(opt, value)
for iface in self._mon_binds:
mons.bind(iface)
for iface in self._mon_connects:
mons.connect(iface)
return ins,outs,mons
def run_device(self):
ins,outs,mons = self._setup_sockets()
zmq.proxy(ins, outs, mons)
class Proxy(ProxyBase, Device):
"""Threadsafe Proxy object.
See zmq.devices.Device for most of the spec. This subclass adds a
<method>_mon version of each <method>_{in|out} method, for configuring the
monitor socket.
A Proxy is a 3-socket ZMQ Device that functions just like a
QUEUE, except each message is also sent out on the monitor socket.
A PUB socket is the most logical choice for the mon_socket, but it is not required.
"""
pass
class ThreadProxy(ProxyBase, ThreadDevice):
"""Proxy in a Thread. See Proxy for more."""
pass
class ProcessProxy(ProxyBase, ProcessDevice):
"""Proxy in a Process. See Proxy for more."""
pass
__all__ = [
'Proxy',
'ThreadProxy',
'ProcessProxy',
]
|
Hello, my name is louie. This is my first time online dating, I always seem to attract the same type and would like to break the cycle. I would like to meet so one with a passion for gaming as I do.
|
#! /usr/bin/python
##
##
##
import threading
import time
import json
import paho.mqtt.client as mqtt
from collections import deque
from pymodbus.client.sync import ModbusSerialClient as ModbusClient
##
##Node Configureation
MQTT_SERVER = "mqtt-server"
STATE = "active"
LOCATION = "garage"
STATUS_INTERVAL=300
BASE = "/" + STATE + "/" + LOCATION
SUB = BASE + "/+/control"
SYS_STATUS_QUEUE = BASE + "/system/status"
SYS_MESSAGE_QUEUE = BASE + "/system/messages"
##
## Modbus Configuration
MODBUS_TYPE = 'rtu'
MODBUS_PORT = '/dev/ttyUSB0'
MODBUS_BAUDRATE = 9600
MODBUS_UNITID = 2
##
## Modbus Exception Codes
MODBUS_EXCEPTIONS = (
"",
"ILLEGAL FUNCTION",
"ILLEGAL DATA ADDRESS",
"ILLEGAL DATA VALUE",
"SERVER DEVICE FAILURE",
"ACKNOWLEDGE",
"SERVER DEVICE BUSY",
"MEMORY PARITY ERROR",
"GATEWAY PATH UNAVAILABLE",
"GATEWAY TARGET DEVICE FAILED TO RESPOND"
)
##
##Sensor Definitions
## Move to a config file someday...
##
sensors = {
'bore_pump_run': {
'init':'default',
'access':('read','write'),
'status':0,
'status-update':1,
'control':"",
'type':'modbus-memory',
'address':3078
},
'transfer_pump_run': {
'init':'default',
'access':('read','write'),
'status':0,
'status-update':1,
'control':"",
'type':'modbus-memory',
'address':3072
},
# status=1 - bore_pump fault
'bore_pump_fault': {
'init':'current',
'access':('read'),
'status':0,
'status-update':1,
'control':"",
'type':'modbus-input',
'address':2055
},
'bore_tank_level': {
'init':'current',
'access':('read'),
'status':0,
'status-update':1,
'control':"",
'type':'modbus-analog',
'address':0x108,
'register':0,
'name':"Bore Tank",
'outputMax':85000,
'sensorMax':5000,
'sensorMin':28
},
'house_tank_level': {
'init':'current',
'access':('read'),
'status':0,
'status-update':1,
'control':"",
'type':'modbus-analog',
'address':0x108,
'register':2,
'name':"House Tank",
'outputMax':40000,
'sensorMax':7805,
'sensorMin':28
},
'rain_tank_level': {
'init':'current',
'access':('read'),
'status':0,
'status-update':1,
'control':"",
'type':'modbus-analog',
'address':0x108,
'register':1,
'name':"Rain Tank",
'outputMax':80000,
'sensorMax':5600,
'sensorMin':28
}
}
##
##
## MQTT Callback Functions
def mqtt_on_connect(client, userdata, flags, rc):
mqttretries = 0
print "MQTT Connection established to host: " + str(MQTT_SERVER)
def mqtt_on_disconnect(client, userdata, rc):
if rc != 0:
print("Unexpected disconnection.")
mqttretries += 1
if mqttretries > 3:
ERR_FATAL=1
else:
mqttc.connect(MQTT_SERVER)
def mqtt_on_message(client, userdata, message):
#print("MQTT Received message '" + str(message.payload) + "' on topic '" + message.topic + "' with QoS " + str(message.qos))
fractions = message.topic.split("/")
if fractions[1] == 'active':
if fractions[2] == LOCATION:
if fractions[4] == 'control':
## SPLIT OUT SYSTEM COMMAND PROCESSING TO A SEPERATE FUNCTION.
if fractions[3] == 'system' and fractions[4] == 'control' and message.payload == 'showSensors':
#print "publishing to: " + SYS_STATUS_QUEUE
mqttc.publish( SYS_STATUS_QUEUE, json.dumps(sensors) )
else:
## NEED TO MAKE MORE GENERIC ONE DAY, VERY FOCUSED ON receiving ON|OFF MESSAGES
msg = { 'sensor':fractions[3], 'action':fractions[4], 'msg':message.payload }
with messageQueueLock:
messageQueue.append(msg)
##
##
## Modbus Functions
def modbus_bit_read(address):
sts = modbusHandle.read_coils(int(address),count=1,unit=MODBUS_UNITID)
if sts.bits[0] == True:
return 1
else:
return 0
def modbus_bit_write(address, data=None):
if data == None:
data =0
#print "Setting address" + str(hex(address)) + " to: " + str(data)
if data == 0:
sts = modbusHandle.write_coil(int(address), False, unit=MODBUS_UNITID)
return sts
if data == 1:
sts = modbusHandle.write_coil(int(address), True, unit=MODBUS_UNITID)
return sts
return 0xff
def modbus_input_read(address):
#print "Reading Address" + str(address)
#return 0
sts = modbusHandle.read_discrete_inputs(int(address), count=1, unit=MODBUS_UNITID)
if sts.bits[0] == True:
return 1
else:
return 0
def modbus_analog_read(address, register=None):
if register == None:
register = 0
#print "Reading address: " + str(address) + " Register: " + str(register)
#return 2222
sts = modbusHandle.read_holding_registers(address, count=4, unit=MODBUS_UNITID)
#print sts
try:
assert(sts.function_code < 0x80)
except:
print "Modbus Error: " + str(MODBUS_EXCEPTIONS[sts.exception_code])
return -1
return int(sts.registers[register])
##
## Sensor Type to Function mapping
TYPE_TO_FUNCTIONS_MAP = {
'modbus-memory': {
'read': modbus_bit_read,
'write': modbus_bit_write
},
'modbus-input': {
'read': modbus_input_read
},
'modbus-analog': {
'read': modbus_analog_read
}
}
##
##
## Sensor Activity Function
## THIS FUNCTION MUST BE CALLED WHILE HOLDING THE modbusQueueLock TO PREVENT PROBLEMS
## i.e.
## with modbusQueueLock:
## sensor_activity(...)...
## blah..
def sensor_activity(sensor, instruction, data=None):
if sensor == None:
print "sensor_activity: request for action on non-existent sensor"
mqttc.publish(SYS_MESSAGE_QUEUE, payload="sensor_activity; request for action on non-existent sensor")
return -1
if instruction not in [ 'init', 'read', 'write' ]:
print "sensor_activity: no comprehension of instruction: " + str(instruction)
return -1
if instruction == 'init':
run_function = TYPE_TO_FUNCTIONS_MAP[sensor['type']]['read']
if sensor['init'] == 'current':
#print str(run_function)
if 'register' in sensor:
status = run_function( sensor['address'], register=sensor['register'] )
else:
status = run_function( sensor['address'] )
sensor['status'] = status
#print "Status = " + str(status)
if sensor['init'] == 'default':
run_function = TYPE_TO_FUNCTIONS_MAP[sensor['type']]['write']
if 'register' in sensor:
status = run_function(sensor['address'], register=sensor['register'] )
else:
status = run_function(sensor['address'])
return 0
run_function = TYPE_TO_FUNCTIONS_MAP[sensor['type']][instruction]
if instruction == 'write':
status = run_function( sensor['address'], data=data )
else:
if 'register' in sensor:
ret = run_function(sensor['address'], register=sensor['register'] )
# analog sensors need to return, not just the value, but the min, max, and output transform.
status = str(ret) + " " + str(sensor['sensorMin']) + " " + str(sensor['sensorMax']) + " " + str(sensor['outputMax'])
else:
status = run_function(sensor['address'])
#print "Status = " + str(status)
return status
##
##
## Thread run() functions
def mqttManager():
mqttc.loop_forever()
def commandManager():
lcl = threading.local()
while 1:
time.sleep(5)
if len(messageQueue) != 0:
with messageQueueLock:
lcl.msg = messageQueue.popleft()
if lcl.msg['sensor'] not in sensors:
lcl.notice = "Received message for non-existant sensor: " + lcl.msg['sensor'] + "... Discarding."
#print lcl.notice
mqttc.publish(SYS_MESSAGE_QUEUE, payload=lcl.notice)
continue
if lcl.msg['action'] == 'control' and 'write' in sensors[lcl.msg['sensor']]['access']:
if lcl.msg['msg'] == 'on':
with modbusQueueLock:
sensor_activity(sensors[lcl.msg['sensor']], 'write', 1)
sensors[lcl.msg['sensor']]['status'] = '1'
mqttc.publish(BASE + "/" + lcl.msg['sensor'] + "/status", payload='1')
elif lcl.msg['msg'] == 'off':
with modbusQueueLock:
sensor_activity(sensors[lcl.msg['sensor']], 'write', 0)
sensors[lcl.msg['sensor']]['status'] = '0'
mqttc.publish(BASE + "/" + lcl.msg['sensor'] + "/status", payload='0')
elif lcl.msg['msg'] == 'status':
mqttc.publish(BASE + "/" + lcl.msg['sensor'] + "/status", payload=str(sensors[lcl.msg['sensor']]['status']))
else:
lcl.notice= "Received invalid instruction '" + lcl.msg['msg'] + "' for sensor: " + lcl.msg['sensor'] + "... Discarding."
mqttc.publish(SYS_MESSAGE_QUEUE, payload=lcl.notice)
def statusManager():
lcl = threading.local()
lcl.sensors_to_status = []
print "Queueing Sensors for statusing..."
for sensor in sensors:
if 'status-update' in sensors[sensor]:
lcl.sensors_to_status.append(sensor)
print " Added: " + str(sensor)
while 1:
for sensor in lcl.sensors_to_status:
with modbusQueueLock:
lcl.status = sensor_activity(sensors[sensor], 'read')
sensors[sensor]['status'] = lcl.status
mqttc.publish(BASE + "/" + str(sensor) + "/status", payload=str(lcl.status) )
time.sleep (STATUS_INTERVAL)
##
##
## Main
##
## Share Data
messageQueue = deque([])
messageQueueLock = threading.RLock()
modbusQueueLock = threading.RLock()
tMqttManager = threading.Thread(name='tMqttmanager', target=mqttManager)
tCommandManager = threading.Thread(name='tCommandManager', target=commandManager)
tStatusManager = threading.Thread(name='tStatusManager', target=statusManager)
tMqttManager.daemon = True
tCommandManager.daemon = True
tStatusManager.daemon = True
##
## Setup MQTT
print "Setting up MQTT handlers..."
mqttc = mqtt.Client()
mqttc.on_connect = mqtt_on_connect
mqttc.on_message = mqtt_on_message
mqttc.on_disconnect = mqtt_on_disconnect
mqttc.connect(MQTT_SERVER)
mqttc.subscribe(SUB)
tMqttManager.start()
time.sleep(1)
##
## Setup ModBus
print "Setting up Modbus handlers..."
modbusHandle = ModbusClient(MODBUS_TYPE, port=MODBUS_PORT, baudrate=MODBUS_BAUDRATE, unit_id=MODBUS_UNITID)
if modbusHandle.connect() == False:
mqttc.publish(SYS_MESSAGE_QUEUE, payload="ERR_FATAL: Failed to start ModBus connection")
exit()
else:
print "ModBus Connection Established"
##
## Initialise sensor data structures
print "Initialising Sensors..."
for sensor in sensors:
#print ("{0}: {1}").format(sensor, sensors[sensor]['type'])
with modbusQueueLock:
sensor_activity(sensors[sensor], 'init')
##
## Starting Command Manager
print "Starting CommandManager Thread..."
tCommandManager.start()
##
## Kick off Status_manager
print "Starting StatusManager Thread..."
tStatusManager.start()
time.sleep(1)
print "Ready!"
while 1:
time.sleep(300)
print "--MARK--"
|
The world's first joint-stock company is founded.
The Bank of England is formed as a joint-stock company.
Legislation governing brokers is introduced.
A stock broker's club convenes at a coffee house in London.
The stock broker's club adopts a new name: The Stock Exchange.
A permanent exchange site is constructed.
The ticker tape is introduced.
Association of Stock Exchanges is founded.
Wall Street crash ends the Exchange's trading in U.S. stocks.
A new Stock Exchange building is opened.
England's provincial exchanges are combined; women are allowed on trading floor for the first time.
The Exchange reorganizes as a private limited company; electronic trading is initiated.
An alliance with Germany's Frankfurt Exchange is forged.
An alliance with eight European exchanges is finalized.
The London Stock Exchange Limited (LSE) is the world's oldest stock exchange and one of the top three stock exchanges in the world, after the New York and Tokyo exchanges. Founded in 1773 and reincorporated as a private limited company in 1986, the LSE is also the world leader in international share trading. The LSE operates a number of market products, including the main board listing, featuring more than 3,000 companies and including over 500 international companies, as well as the secondary AIM (Alternative Investment Market), established in 1995 as a vehicle for trades in small, high-growth companies. More than 70 companies are listed on the AIM board. After launching the Stock Exchange Electronic Trading Services (SETS) in 1997, the LSE introduced a new listing, techMARK, tailored to the specific needs of the high-technology sector and designed to compete with the NASDAQ index. With a total equity turnover value of more than £3.5 billion, the LSE achieved gross revenues of £149.8 million in 1999. The LSE is led by Chairman John Kemp-Welch and CEO Gavin Casey.
Founded in 1773, the LSE reflects more than 200 years of the development of share-based enterprise. The world's first joint-stock company was created in the mid-16th century. Traditionally, companies were either owned by a single individual or through a partnership with two or more owners. While this arrangement sufficed for smaller businesses and stable market sectors, direct financial responsibility for riskier endeavors--such as the great trade exploration voyages of the period--were judged too precarious for an individual or limited group of investors. The organization of such a venture, that of a voyage to trace a northern sea route to the Far East from London in 1553, introduced the world's first shareholder-based company. Selling shares to a larger number of investors reduced the financial risk for each individual investor, while enabling the company itself to raise the capital needed to fund its operations.
This first joint-stock company failed to find a northern sea route to the Far East. However, a meeting with Russian tsar Ivan the Terrible brought the company the exclusive rights to trade between Russia and England. The Muscovy Company, as it came to be called, became a commercial success, rewarded its shareholders with large profits, and inspired the creation of new investment ventures. The Muscovy Company served as the model for future shareholder-based companies. Investors contributed capital funding, while direction of the company's operations remained in the hands of its management. The investors, who were allowed to sell their holdings or buy more shares, were given dividends according to the company's profits.
As more companies were set up following the Muscovy model, a new profession came into being, that of the broker, who acted as a middleman for trades of shares, helping to boost not only the number of joint-stock companies but also the number of investors. Adding impetus to this movement was the foundation of the Bank of England as a joint-stock company by King William III in order to provide funding for England's military campaign against France at the end of the 17th century. The shareholder system was given further support by legislation to limit and punish brokers for malpractice.
By the 18th century, a flourishing "market" for shares was in place--so much so that the period marked the first stock market crash in 1720. While trading took place at the Royal Exchange through the middle of the century, the rowdy behavior--itself to become something of a tradition on the market floor--of certain brokers led to their exclusion. Instead of leaving the business, these brokers began meeting at Jonathan's Coffee House and other coffee shops in the Threadneedle Street area of London. In 1760, some 150 brokers founded their own club to buy and sell stock at Jonathan's. The following decade, in 1773, the members of the club changed its name to the Stock Exchange.
As the individual broker members of the Stock Exchange began to establish brokerage firms, and the number of markets expanded, the Stock Exchange saw a need for new quarters. In 1801, the Stock Exchange began construction on a new building at what was to become its permanent London location. The following year, the Stock Exchange published a Deed of Settlement, formally outlining the operating rules and procedures of the stock market.
If the original joint-stock companies were formed to provide funding for the many voyages of discovery, overseas trading, and foreign military campaigns, the shareholder-based company structure showed itself easily adaptable to the changing economic landscape of the 19th century. The Industrial Revolution, coupled with such major infrastructure undertakings as the building of a national railroad system, provided the basis for the modern period of shareholder-based corporations. The appearance of a great many new companies exploiting a greater number of materials, products, and markets prompted the formation of some 20 other stock exchanges operating in the United Kingdom. Nonetheless, the London Stock Exchange remained the United Kingdom's most important stock exchange. New technologies, such as the telegraph, brought such stock market innovations as the ticker tape--the first, launched in 1872 by the London Stock Exchange, was capable of an output of six words per minute--which in turn enabled trades to take place elsewhere than the market floor. London's position as the world's financial center placed the LSE at the top of the world's stock markets.
At the end of the 19th century, the LSE revised its charters. Changes in the Deed of Settlement in 1875 created a more corporate-based entity for the Exchange, which now operated on behalf of its owner-members&mdash opposed to being operated by its members--while members remained responsible for the company's debts and operational obligations. A further evolution occurred in 1890, when the country's stock exchanges were linked together for the first time, under an Association of Stock Exchanges. The individual exchanges continued to operate independently, however. At the beginning of the 20th century, a new set of guidelines refined the Stock Exchange's member lists into "broker" and "jobber" classes.
Disruption in European trade caused by the outbreak of World War I led to the closure of the continent's stock exchanges. The LSE was forced to follow suit, suspending trades in July 1914, the last of the European exchanges to close. The Exchange's members quickly joined the war effort, creating the Stock Exchange Battalion of Royal Fusiliers, which succeeded in raising more than 1,600 volunteers. After it became evident that the war was to be a protracted one, the LSE reopened at the beginning of 1915. Normal trading conditions were not restored, however, until the end of the war in 1918, when the British government introduced a highly successful series of "Victory Bonds."
If the British market was largely spared the brunt of the New York stock market crash of 1929, the LSE was nonetheless forced to end trading in U.S. shares. While the buildup to World War II enabled the world's stock markets to regain their momentum, the devastation of the European economy brought on a vast change in the world economic and stock market landscape. The rise of the United States as the world's preeminent economic force saw the New York Stock Exchange outpace the LSE as the world's busiest and richest exchange. The rise of Japan as an economic power beginning in the 1960s and especially into the 1970s and 1980s saw the Tokyo Stock Exchange take over the number two position.
Nonetheless, London remained the center of the European community's financial markets, and the LSE gained increasing importance in the market for international stocks. London was also to figure prominently as the undisputed financial center of the then-forming European Union. Meanwhile, the stock markets were attracting larger numbers of investors, and especially investments from private individuals. The Exchange's member firms saw the need to expand their broker staff to accommodate the new influx of investors as well as the new investment products being introduced at the time. The increasing activity led to the need for new quarters; in 1972, the new LSE building, featuring a new 23,000-square-foot trading floor and a 26-story office building, was completed on the site where the Exchange had operated since 1801. In the same year, women were granted the right to become stockbrokers for the first time.
Increasing competition and technological development had also brought about both the need and the potential to consolidate the United Kingdom's many stock exchanges. The cooperation that had begun under the Association of Stock Exchanges had led to closer coordination among the United Kingdom's stock exchanges, and particularly among the more than 20 exchanges operated outside of London. The new market realities of the late 20th century were increasingly challenging the viability of these smaller exchanges. In 1973, moves were taken to combine the United Kingdom's smaller provincial exchanges into a single national exchange under the LSE.
The year 1986 marked a new era for the LSE. Changes in the legislation governing the United Kingdom's investment businesses, as part of the Companies Act of 1985, enabled the LSE to restructure its operations the following year as a private limited company (plc) with its member broker firms becoming shareholders. Under the company's articles of incorporation, these shareholders were not eligible to receive distribution of any profits. Instead, all profits were to be returned to the company for infrastructure and other development costs.
On October 27, 1986, the LSE underwent a still more visible transformation. Known thereafter as the "Big Bang" of the London financial scene, that day saw the implementation of several changes to the LSE's operations. For one, the company's member firms were now allowed to be purchased by outsider corporations, enabling these brokerages to increase their own capital resources in order to compete with increasingly powerful firms overseas. Another change was the abolition of minimum commission charges; stock exchange member firms were now free to negotiate their commissions with clients. At the same time, the individual members of the exchange no longer held voting rights. Moreover, marking the end of centuries of tradition, trading was moved off the trading floor to so-called "dealing-rooms," where trades were no longer conducted face-to-face but by computer and telephone. The days of the "rowdy" broker were done, at least in London. The introduction of computer technology, which enabled instantaneous pricing displays anywhere in the United Kingdom--or even the world--also allowed brokers to operate offices beyond London. The appearance of new commercial brokerage branch offices soon became commonplace across the United Kingdom.
The LSE's Deed of Settlement, in place since 1885 and originally introduced in 1802, was finally replaced by a Memorandum and Articles of Association in 1991. Under the new articles, the LSE's governing body, the Council of the Exchange, was replaced by a board of directors drawing not only from the Exchange's own management but also from its member and client base.
The LSE faced rising pressures to adapt to the changing nature of the stock market in the 1990s. On the one hand, new technologies-particularly electronic trading systems that were rapidly rendering obsolete the Exchange's reliance on telephone confirmations--were stepping up the pace of trading and enabling trading to continue nonstop around the world; as Western markets closed for the day, their Far Eastern counterparts were just beginning trading. On the other hand, playing the stock market was becoming popular among larger portions of the population, with resulting pressures to make trading more accessible.
At the same time, a new breed of company was making evident the need for a new type of stock exchange. The roaring success of so-called "start-up" companies, that is, high-technology specialists that often went from zero to enormous market capitalization in brief periods of time, gave new impetus to exchanges, such as the NASDAQ, that were able to offer the flexibility these new companies, which often had yet to show a profit, required. In 1995, the LSE responded to this new market with the creation of AIM, the Alternative Investment Market, created specifically for startups and smaller companies. By the end of the decade, AIM had managed to attract nearly 400 companies.
In 1997, the LSE undertook another new venture with the introduction of the Stock Exchange Electronic Trading Service (SETS), which replaced--at least for some brokers and trades--traditional techniques with an electronic interface. Meanwhile, the LSE was preparing to confront the new realities of the European Market, as the EC prepared for the launch of the Euro, the single European currency. With Frankfurt winning the position as the site of the European Central Bank, London suddenly found its position as European financial leader under attack. In order to defend its position, the LSE quickly entered into a partnership agreement with the Deutsche Börse in Frankfurt.
Momentum among high-technology stocks continued to build in the waning years of the century, when much of the world began preparations to enter into a new economic landscape, the so-called Internet Economy. In 1999, in order to provide a more appropriate vehicle for this new breed of stock, the LSE launched the techMark exchange. This new exchange, modeled directly on the NASDAQ and the Neuer Markt of Germany, provided still more flexible listing conditions for high-tech and startup companies.
As the LSE entered its fourth century of trading, it continued to show the willingness to evolve and embrace new economic realities that had enabled it to maintain its position as not only the world's oldest stock exchange, but one of the world's leading exchanges. In early 2000, the LSE began reviewing a number of its policies--including allowing anonymous electronic trades for certain companies--meant to bring London in line with the policies of a new alliance among exchanges in Amsterdam, Brussels, Frankfurt, Paris, Madrid, Milan, and Zurich, scheduled to begin trading in November 2000.
Principal Competitors: New York Stock Exchange, Inc.; Paris Bourse SA; Tokyo Stock Exchange.
Andrew, John, "Understanding Stock Markets: Deals Were Done," Independent, November 1, 1997, p. 5.
Garfield, Andrew, "London Stock Exchange to Launch Rival to NASDAQ," Independent, August 21, 1999, p. 15.
Jagger, Suzy, "Exchange Overhaul Attacked by Dealers," Daily Telegraph (London), January 3, 2000, p. 1.
"London's Quiet Revolution," Economist, October 18, 1997.
"London Under Threat," Economist, November 21, 1998.
|
# coding=utf-8
from django.conf import settings
from django.dispatch import receiver
try:
from django.contrib.contenttypes.fields import GenericForeignKey
except ImportError:
from django.contrib.contenttypes.generic import GenericForeignKey
from django.contrib.contenttypes.models import ContentType
from django.contrib.sites.models import Site
from django.core import urlresolvers
from django.db import models
from django.utils.translation import ugettext_lazy as _
from django.core.exceptions import ValidationError
from django.utils.encoding import python_2_unicode_compatible
from social_graph import Graph
from managers import CommentManager, CommentCurrentSiteManager
from mixins import author_edge, target_edge
from signals import item_commented, item_comment_removed
graph = Graph()
class BaseCommentAbstractModel(models.Model):
"""
An abstract base class that any custom comment models probably should
subclass.
"""
# Content-object field
content_type = models.ForeignKey(ContentType,
verbose_name=_(u'content type'),
related_name="content_type_set_for_%(class)s")
object_pk = models.TextField(_(u'object ID'))
content_object = GenericForeignKey(ct_field="content_type", fk_field="object_pk")
# Metadata about the comment
site = models.ForeignKey(Site)
class Meta:
abstract = True
def validate_level(value):
if value > settings.COMMENT_MAX_LEVELS:
raise ValidationError(_('Max comment level exceeded.'))
@python_2_unicode_compatible
class Comment(BaseCommentAbstractModel):
"""
A user comment about some object.
"""
# Who posted this comment? If ``user`` is set then it was an authenticated
# user; otherwise at least user_name should have been set and the comment
# was posted by a non-authenticated user.
user = models.ForeignKey(settings.AUTH_USER_MODEL, verbose_name=_(u'user'),
blank=True, null=True, related_name="%(class)s_comments")
user_name = models.CharField(_(u"name"), max_length=50, blank=True)
# Explicit `max_length` to apply both to Django 1.7 and 1.8+.
user_email = models.EmailField(_(u"email"), max_length=254,
blank=True)
user_url = models.URLField(_(u"user's URL"), blank=True)
comment = models.TextField(_(u'comment'), max_length=settings.COMMENT_MAX_LENGTH)
answer_to = models.ForeignKey(
'self', verbose_name=_(u'answer to'), related_name='answers', blank=True, null=True
)
level = models.IntegerField(_(u'comment level'), blank=True, null=True, validators=[validate_level])
# Metadata about the comment
submit_date = models.DateTimeField(_(u'date/time submitted'), auto_now_add=True)
ip_address = models.GenericIPAddressField(_(u'IP address'), unpack_ipv4=True, blank=True, null=True)
is_public = models.BooleanField(_(u'is public'), default=True,
help_text=_(u'Uncheck this box to make the comment effectively '
u'disappear from the site.'))
is_removed = models.BooleanField(_(u'is removed'), default=False,
help_text=_(u'Check this box if the comment is inappropriate. '
u'A "This comment has been removed" message will '
u'be displayed instead.'))
# Manager
objects = CommentManager()
on_site = CommentCurrentSiteManager()
historical = models.Manager()
class Meta:
ordering = ('submit_date',)
permissions = [("can_moderate", "Can moderate comments")]
verbose_name = _(u'comment')
verbose_name_plural = _(u'comments')
def __str__(self):
return "%s: %s..." % (self.name, self.comment[:50])
@property
def user_info(self):
"""
Get a dictionary that pulls together information about the poster
safely for both authenticated and non-authenticated comments.
This dict will have ``name``, ``email``, and ``url`` fields.
"""
if not hasattr(self, "_user_info"):
user_info = {
"name": self.user_name,
"email": self.user_email,
"url": self.user_url
}
if self.user_id:
u = self.user
if u.email:
user_info["email"] = u.email
# If the user has a full name, use that for the user name.
# However, a given user_name overrides the raw user.username,
# so only use that if this comment has no associated name.
if u.get_full_name():
user_info["name"] = self.user.get_full_name()
elif not self.user_name:
user_info["name"] = u.get_username()
self._user_info = user_info
return self._user_info
def _get_name(self):
return self.user_info["name"]
def _set_name(self, val):
if self.user_id:
raise AttributeError(_(u"This comment was posted by an authenticated "
u"user and thus the name is read-only."))
self.user_name = val
name = property(_get_name, _set_name, doc="The name of the user who posted this comment")
def _get_email(self):
return self.user_info["email"]
def _set_email(self, val):
if self.user_id:
raise AttributeError(_(u"This comment was posted by an authenticated "
u"user and thus the email is read-only."))
self.user_email = val
email = property(_get_email, _set_email, doc="The email of the user who posted this comment")
def _get_url(self):
return self.userinfo["url"]
def _set_url(self, val):
self.user_url = val
url = property(_get_url, _set_url, doc="The URL given by the user who posted this comment")
def get_as_text(self):
"""
Return this comment as plain text. Useful for emails.
"""
data = {
'user': self.user or self.name,
'date': self.submit_date,
'comment': self.comment,
'domain': self.site.domain,
'url': self.get_absolute_url()
}
return _(u'Posted by %(user)s at %(date)s\n\n%(comment)s\n\nhttp://%(domain)s%(url)s') % data
def delete(self, using=None):
for answer in self.answers.all():
answer.delete()
self.is_removed = True
self.save()
@receiver(models.signals.pre_save, sender=Comment, dispatch_uid="fill_comment_user_data")
def fill_comment_user_data(instance, **kwargs):
if not instance.user_name or not instance.user_email:
instance.user_name = instance.user.get_full_name() or instance.user.username
instance.user_email = instance.user.email
if not instance.level:
instance.level = instance.answer_to.level + 1 if instance.answer_to else 1
@receiver(models.signals.post_save, sender=Comment, dispatch_uid="manage_comment_edges")
def create_comment_edges(instance, created, **kwargs):
if created:
if instance.user:
graph.edge(instance.user, instance, author_edge(), instance.site, {})
graph.edge(instance, instance.content_object, target_edge(), instance.site, {})
item_commented.send(sender=Comment, instance=instance, user=instance.user, answer_to=instance.answer_to)
elif instance.is_removed:
if instance.user:
graph.no_edge(instance.user, instance, author_edge(), instance.site)
graph.no_edge(instance, instance.content_object, target_edge(), instance.site)
item_comment_removed.send(
sender=Comment, instance=instance, user=instance.content_object.get_comments_manager() or instance.user
)
|
Happy New Year you lovely lot!! I hope you all had a great christmas and I can imagine a lot of you are diving in to your new year resolutions. I’m certainly trying to but I do feel knackered from Christmas, working late nights, or either one of the kids being ill, that I quite frankly just want to veg out on the sofa and watch Ragnar Lodbrok shake his stuff in Vikings ( totally worth a watch if you have Amazon Prime).
I am listening to my body and taking the time to rest but also pushing myself in certain areas of my life. I’ve decided to get back on the yoga bandwagon; I noticed such a difference when I did it back in the Summer but as soon as Autumn hit I stopped and wanted to hibernate…which I did very well. Anyway, onwards and upwards- the 30 day yoga challenge has started!
I’ve also decided that I’m going to be more decisive because going with the flow in certain situations just kept me in limbo and I began to feel more and more lost within the depth of my mind. You can see on my Facebook page and my Instagram that I love natural and organic products and I was contemplating all last year about whether to keep on buying the mainstream products or to switch over my professional make up kit to the green side of beauty. My decision is to switch over, yayyyy, because it massively fits in with my values. I mainly use natural/organic skincare on myself because I believe it’s much better for our health so why am I painting products that have a number of toxins in their ingredients on to other peoples faces when I don’t believe in it myself (I think I’ll write another blog post on that subject)? It’ll probably be a long process because the cost of replacing a whole new kit is massive and isn’t going to be able to happen straight away which I find frustrating because there are some amazing and beautiful products out there. I’ll wait until I’ve finished a product or if it’s reached its sell by date then I’ll replace it with some natural goodness or if I find something that I absolutely love then I’ll add it to my collection. Pheww it actually feels good to get it out there!
I also plan to do more blog posts, reviews, tutorials and I am thinking about setting up a youtube channel too!
Do you use natural/organic products? Let me know in the comments!
|
#!/usr/bin/env python
#
# Copyright (c) 2018 The heketi Authors
#
# This file is licensed to you under your choice of the GNU Lesser
# General Public License, version 3 or any later version (LGPLv3 or
# later), or the GNU General Public License, version 2 (GPLv2), in all
# cases as published by the Free Software Foundation.
#
import argparse
import json
import sys
import yaml
DESC = """
Compare outputs of gluster and/or heketi and/or openshift/k8s.
Prints lists of volumes where sources differ.
"""
EXAMPLE = """
Example:
$ python3 comparison.py
--gluster-info gluster-volume-info.txt
--heketi-json heketi-db.json
--pv-yaml openshift-pv-yaml.yaml
"""
# flag constants
IN_GLUSTER = 'gluster'
IN_HEKETI = 'heketi'
IN_PVS = 'pvs'
IS_BLOCK = 'BV'
class CliError(ValueError):
pass
def main():
parser = argparse.ArgumentParser(description=DESC, epilog=EXAMPLE)
parser.add_argument(
'--gluster-info', '-g',
help='Path to a file containing gluster volume info')
parser.add_argument(
'--heketi-json', '-j',
help='Path to a file containing Heketi db json export')
parser.add_argument(
'--pv-yaml', '-y',
help='Path to a file containing PV yaml data')
parser.add_argument(
'--skip-ok', '-K', action='store_true',
help='Exclude matching items from output')
parser.add_argument(
'--pending', action='store_true',
help='Show heketi pending status (best effort)')
parser.add_argument(
'--no-header', '-H', action='store_true',
help='Do not print column header')
parser.add_argument(
'--ignore', '-I', action='append',
help='Exlude given volume name (multiple allowed)')
parser.add_argument(
'--match-storage-class', '-S', action='append',
help='Match one or more storage class names')
parser.add_argument(
'--skip-block', action='store_true',
help='Exclude block volumes from output')
parser.add_argument(
'--bricks', action='store_true',
help='Compare bricks rather than volumes')
cli = parser.parse_args()
try:
if cli.bricks:
return examine_bricks(cli)
return examine_volumes(cli)
except CliError as err:
parser.error(str(err))
def examine_volumes(cli):
check = []
gvinfo = heketi = pvdata = None
if cli.gluster_info:
check.append(IN_GLUSTER)
gvinfo = parse_gvinfo(cli.gluster_info)
if cli.heketi_json:
check.append(IN_HEKETI)
heketi = parse_heketi(cli.heketi_json)
if cli.pv_yaml:
check.append(IN_PVS)
pvdata = parse_oshift(cli.pv_yaml)
if not check:
raise CliError(
"Must provide: --gluster-info OR --heketi-json OR --pv-yaml")
summary = compile_summary(cli, gvinfo, heketi, pvdata)
for ign in (cli.ignore or []):
if summary.pop(ign, None):
sys.stderr.write('ignoring: {}\n'.format(ign))
compare(summary, check, cli.skip_ok,
header=(not cli.no_header),
show_pending=(cli.pending),
skip_block=cli.skip_block)
return
def examine_bricks(cli):
check = []
gvinfo = heketi = None
if cli.gluster_info:
check.append(IN_GLUSTER)
gvinfo = parse_gvinfo(cli.gluster_info)
if cli.heketi_json:
check.append(IN_HEKETI)
heketi = parse_heketi(cli.heketi_json)
if not check:
raise CliError(
"Must provide: --gluster-info and --heketi-json")
summary = compile_brick_summary(cli, gvinfo, heketi)
compare_bricks(summary, check,
skip_ok=cli.skip_ok)
def parse_heketi(h_json):
with open(h_json) as fh:
return json.load(fh)
def parse_oshift(yf):
with open(yf) as fh:
return yaml.safe_load(fh)
def parse_gvlist(gvl):
vols = {}
with open(gvl) as fh:
for line in fh:
vols[line.strip()] = []
return vols
def parse_gvinfo(gvi):
vols = {}
volume = None
with open(gvi) as fh:
for line in fh:
l = line.strip()
if l.startswith("Volume Name:"):
volume = l.split(":", 1)[-1].strip()
vols[volume] = []
if l.startswith('Brick') and l != "Bricks:":
if volume is None:
raise ValueError("Got Brick before volume: %s" % l)
vols[volume].append(l.split(":", 1)[-1].strip())
return vols
def compile_heketi(summary, heketi):
for vid, v in heketi['volumeentries'].items():
n = v['Info']['name']
summary[n] = {'id': vid, IN_HEKETI: True}
if v['Pending']['Id']:
summary[n]['heketi-pending'] = True
if v['Info'].get('block'):
summary[n]['heketi-bhv'] = True
for bvid, bv in heketi['blockvolumeentries'].items():
n = bv['Info']['name']
summary[n] = {
IN_HEKETI: True,
'block': True,
'id': bvid,
}
if bv['Pending']['Id']:
summary[n]['heketi-pending'] = True
def compile_heketi_bricks(summary, heketi):
for bid, b in heketi['brickentries'].items():
path = b['Info']['path']
node_id = b['Info']['node']
vol_id = b['Info']['volume']
host = (heketi['nodeentries'][node_id]
['Info']['hostnames']['storage'][0])
vol_name = heketi['volumeentries'][vol_id]['Info']['name']
fbp = '{}:{}'.format(host, path)
dest = summary.setdefault(fbp, {})
dest[IN_HEKETI] = True
dest['heketi_volume'] = vol_name
def compile_gvinfo(summary, gvinfo):
for vn in gvinfo:
if vn in summary:
summary[vn][IN_GLUSTER] = True
else:
summary[vn] = {IN_GLUSTER: True}
def compile_gvinfo_bricks(summary, gvinfo):
for vn, content in gvinfo.items():
for bn in content:
dest = summary.setdefault(bn, {})
dest[IN_GLUSTER] = True
dest['gluster_volume'] = vn
def compile_pvdata(summary, pvdata, matchsc):
for elem in pvdata['items']:
g = elem.get('spec', {}).get('glusterfs', {})
ma = elem.get('metadata', {}).get('annotations', {})
if not g and 'glusterBlockShare' not in ma:
continue
sc = elem.get('spec', {}).get('storageClassName', '')
if matchsc and sc not in matchsc:
sys.stderr.write(
'ignoring: {} from storage class "{}"\n'.format(g["path"], sc))
continue
if 'path' in g:
vn = g['path']
block = False
elif 'glusterBlockShare' in ma:
vn = ma['glusterBlockShare']
block = True
else:
raise KeyError('path (volume name) not found in PV data')
dest = summary.setdefault(vn, {})
dest[IN_PVS] = True
if block:
dest['block'] = True
def compile_summary(cli, gvinfo, heketi, pvdata):
summary = {}
if heketi:
compile_heketi(summary, heketi)
if gvinfo:
compile_gvinfo(summary, gvinfo)
if pvdata:
compile_pvdata(summary, pvdata, matchsc=cli.match_storage_class)
return summary
def compile_brick_summary(cli, gvinfo, heketi):
summary = {}
if gvinfo:
compile_gvinfo_bricks(summary, gvinfo)
if heketi:
compile_heketi_bricks(summary, heketi)
return summary
def _check_item(vname, vstate, check):
tocheck = set(check)
flags = []
if vstate.get('block'):
flags.append(IS_BLOCK)
# block volumes will never be found in gluster info
tocheck.discard(IN_GLUSTER)
m = set(c for c in tocheck if vstate.get(c))
flags.extend(sorted(m))
return m == tocheck, flags
def compare(summary, check, skip_ok=False, header=True, show_pending=False,
skip_block=False):
if header:
_print = Printer(['Volume-Name', 'Match', 'Volume-ID'])
else:
_print = Printer([])
for vn, vs in summary.items():
ok, flags = _check_item(vn, vs, check)
if ok and skip_ok:
continue
if 'BV' in flags and skip_block:
continue
heketi_info = vs.get('id', '')
if show_pending and vs.get('heketi-pending'):
heketi_info += '/pending'
if vs.get('heketi-bhv'):
heketi_info += '/block-hosting'
if ok:
sts = 'ok'
else:
sts = ','.join(flags)
_print.line(vn, sts, heketi_info)
def _check_brick(bpath, bstate, check):
tocheck = set(check)
flags = []
volumes = []
m = set(c for c in tocheck if bstate.get(c))
flags.extend(sorted(m))
gv = bstate.get('gluster_volume')
hv = bstate.get('heketi_volume')
ok = False
if m == tocheck and gv == hv:
ok = True
volumes = ['match={}'.format(gv)]
else:
if gv:
volumes.append('gluster={}'.format(gv))
if hv:
volumes.append('heketi={}'.format(hv))
return ok, flags, volumes
def compare_bricks(summary, check, header=True, skip_ok=False):
if header:
_print = Printer(['Brick-Path', 'Match', 'Volumes'])
else:
_print = Printer([])
for bp, bstate in summary.items():
ok, flags, volumes = _check_brick(bp, bstate, check)
if ok and skip_ok:
continue
if ok:
sts = 'ok'
else:
sts = ','.join(flags)
_print.line(bp, sts, ','.join(volumes))
class Printer(object):
"""Utility class for printing columns w/ headers."""
def __init__(self, header):
self._did_header = False
self.header = header or []
def line(self, *columns):
if self.header and not self._did_header:
self._print_header(columns)
self._did_header = True
print (' '.join(columns))
def _print_header(self, columns):
parts = []
for idx, hdr in enumerate(self.header):
pad = max(0, len(columns[idx]) - len(hdr))
parts.append('{}{}'.format(hdr, ' ' * pad))
print (' '.join(parts))
if __name__ == '__main__':
main()
|
The SUE Scale (Subjective Units of Experience, from Events Psychology, Hartmann 2009) is an instrument designed to measure the level of energy flow through the energy body from -10 to +10.
The SUE Scale replaces the SUD Scale (Subjective Units of Distress, Wolpe 1969) as a measure to express how a person is feeling/what they are experiencing and represents a paradigm shift in the treatment of stress and emotional disturbances as the old SUD Scale stopped at 0 Zero, and completely failed to take positive emotions/experiences into consideration.
The SUE Scale is a device to measure emotions, but can also be used to recognise state dependent disturbances in its objective form, The Energy Body Stress Chart, to allow practitioners to make an independent assessment. The SUE Scale allows the client to more accurately assess their emotions and stress responses and provides positive goals from the positive wing 0 - +10, which makes any form of attempt to change emotions far more realistic and successful.
The SUE Scale can be used to measure the evolution of experience throughout a treatment process. The SUE Scale is used in modern energy work, such as Energy EFT (Emotional Freedom Techniques), EMO Energy In Motion, Events Psychology etc. The SUE Scale can also be used as a replacement of the SUD scale in conventional therapy, psychology and counselling to allow for treatment plans which focus on POSITIVE outcomes and emotions, rather than the absence of emotions.
A simplified version of the SUE Scale/Energy Chart for use in MODERN Stress Management MSM has been created in 2015, known as "The Pyramid Model" (Hartmann, 2015), specifically designed to replace the outdated Hebbian Model based on the 1908 Yerkes-Hobson "Law of Arousal" which drives deeper into stress and forms the basis of all existing stress management programs.
A great and simple introduction to the concepts behind the SUE Scale - and why it is so important to stop focusing exclusively on negative emotions to gain the bigger picture on how humans work.
Meet the SUE Scale in this short excerpt from an introduction to Energy EFT with Silvia Hartmann.
Adding the missing positive wing to the SUD scale in order to form the SUE Scale is a very simple thing - yet it denotes a paradigm shift in how we think about emotion, and in the end, human existence. It has tremendous repercussions and represents a true "game changer" - and not just in psychology.
The SUE Scale measures the subjective (intrapersonal) experience from -10 to +10 and gives client and practitioner a way to make their way towards the THRESHOLD SHIFT - the EVENT of healing, learning, change or evolution - directly and at speed.
The precursor for the SUE Scale was the EI Scale (Emotional Intensity Scale)(Hartmann, Energetic Relationships Paper, 2000). This was based on finding that a scale that only shows negative emotions but not positive emotions wasn't enough in order to work successfully with emotions. In order to allow a client to accurately express their feelings towards another person (or construct, animal, object, entity, existence etc.) it is necessary to address positive as well as negative emotions.
|
#
# Copyright (c) 2014 ThoughtWorks Deutschland GmbH
#
# Pixelated is free software: you can redistribute it and/or modify
# it under the terms of the GNU Affero General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# Pixelated 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 Affero General Public License for more details.
#
# You should have received a copy of the GNU Affero General Public License
# along with Pixelated. If not, see <http://www.gnu.org/licenses/>.
from pixelated.provider.docker.adapter import DockerAdapter
__author__ = 'fbernitt'
class PixelatedDockerAdapter(DockerAdapter):
PIXELATED_PORT = 4567
def __init__(self, provider_hostname):
self.provider_hostname = provider_hostname
def app_name(self):
return 'pixelated'
def docker_image_name(self):
return 'pixelated/pixelated-user-agent'
def run_command(self, leap_provider_x509):
extra_args = ""
if leap_provider_x509.has_ca_bundle():
extra_args = ' --leap-provider-cert /mnt/user/dispatcher-leap-provider-ca.crt'
if leap_provider_x509.has_fingerprint():
extra_args = ' --leap-provider-cert-fingerprint %s' % leap_provider_x509.fingerprint
return '/bin/bash -l -c "/usr/bin/pixelated-user-agent --leap-home /mnt/user --host 0.0.0.0 --port 4567 --organization-mode%s"' % extra_args
def setup_command(self):
return '/bin/true'
def port(self):
return self.PIXELATED_PORT
def environment(self, data_path):
return {
'DISPATCHER_LOGOUT_URL': '/auth/logout',
'FEEDBACK_URL': 'https://%s/tickets' % self.provider_hostname
}
|
Celebrating Families Across Generations, hundreds of San Ramon Valley residents gathered on Saturday, March 5th , at The Church of Jesus Christ of Latter Day Saint Danville Stake Center to participate in the first annual Family Discovery Day.
Helping families, and individuals discover more about who they are and where they come from; avid family historians and genealogists, and specialists from local genealogical societies volunteered their time, talents and resources to assist attendees of all ages become motivated in the active discovery about their personal “roots”.
Hosted by the Danville Stake Family History Center, this free community event was designed to ignite the passion of strengthening family ties—past, present and future.
Those in attendance were invited to browse through booths, exhibits and interactive lectures, picking up handouts and resources addressing research, family reunions, the preservation of photos, keepsakes and memories, and finding ways to share a family’s legacy with children, and grandchildren.
Educational assistance was given to those who wished to learn about technological resources available in research and the compilation of family records.
With families in mind, photo booths, storytelling, crafts and games geared toward the children, helped the young attendees find ways to become excited about their family connections.
Additionally, as budding family historians, over 30 young scouts joined in the activities of the day and embraced the opportunity to work on their Genealogy Merit Badges.
Keynote speaker, Linda Bailey, past director of the Danville Stake Family History Center, currently working in the Oakland Family History Library, mesmerized participants with photos and tales of historical discoveries about her own grandfather, demonstrating the impact , and the importance of finding and preserving the “stories” of our ancestors for future generations.
Ms Bailey encouraged attendees to take advantage of the event by find personal, and new ways to become engaged in the discovery of their families.
For more information on Family Discovery Day go tolds.org/familydiscoveryday. Or for free personalized assistance in beginning your own family history, visit the Danville Stake Family History Center. 2949 Stone Valley Road, Danville, California.
|
__author__ = 'mittr'
# Python program to print DFS traversal from a
# given given graph
from collections import defaultdict
# This class represents a directed graph using
# adjacency list representation
class Graph:
# Constructor
def __init__(self):
# default dictionary to store graph
self.graph = defaultdict(list)
# function to add an edge to graph
def addEdge(self,u,v):
self.graph[u].append(v)
# A function used by DFS
def DFSUtil(self,v,visited):
# Mark the current node as visited and print it
visited[v]= True
print (v),
# Recur for all the vertices adjacent to this vertex
for i in self.graph[v]:
if visited[i] == False:
self.DFSUtil(i, visited)
# The function to do DFS traversal. It uses
# recursive DFSUtil()
def DFS(self,v):
# Mark all the vertices as not visited
visited = [False]*(len(self.graph))
# Call the recursive helper function to print
# DFS traversal
self.DFSUtil(v,visited)
# Driver code
# Create a graph given in the above diagram
g = Graph()
g.addEdge(0, 1)
g.addEdge(0, 2)
g.addEdge(1, 2)
g.addEdge(2, 0)
g.addEdge(2, 3)
g.addEdge(3, 3)
print("Following is DFS from (starting from vertex 2)")
g.DFS(2)
|
FUEL EFFICIENT 22 MPG Hwy/16 MPG City! 4x4, Turbo Charged Engine, WiFi Hotspot, Rear Air, Chrome Wheels, ENGINE, 5.3L ECOTEC3 V8, TRANSMISSION, 8-SPEED AUTOMATIC, ELEC, KEYLESS OPEN AND START, AUDIO SYSTEM, CHEVROLET INFOTAINMENT , Z71 OFF-ROAD PACKAGE, SEAT, CLOTH REAR WITH STORAGE PACKAGE, CONVENIENCE PACKAGE, CONVENIENCE PACKAGE II, TheCarConnection.com explains "The Silverado is exceedingly comfortable on the road, and its steering is nicely weighted and direct.". SILVER ICE METALLIC exterior and JET BLACK interior, LT trim. Warranty 5 yrs/60k Miles - Drivetrain Warranty; CLICK NOW!
|
'''
Created on Sep 4, 2017
@author: tskthilak
'''
import logging
from wf.model import WfSpecification, WfJob, WfTask
from wf.worker import cb_run_job
from wf.util import encode, decode
from wf.error import WfJobError, TaskNotFoundError
from cPickle import dumps
from rq import Queue
from wf.store import Store
from rq.job import Job, NoSuchJobError
from time import time
LOG = logging.getLogger(__name__)
logging.basicConfig(level=logging.DEBUG)
logging.basicConfig(format="%(asctime)s;%(levelname)s;%(message)s")
class QueueName():
A1 = 'high'
B1 = 'normal'
C1 = 'low'
class Processor(object):
'''
classdocs
'''
def __init__(self, db_conn):
self._db_conn = db_conn
self._queue = {}
def worker(self, name):
if not self._queue.has_key(name):
self._queue[name] = Queue(connection=self._db_conn)
return self._queue[name]
def deserialize_spec(self, mime, data):
retobj = WfSpecification.deserialize(mime, data)
#LOG.debug("data : %s" % (data))
#LOG.debug("object : %s" % (dumps(retobj)))
return retobj
def serialize_spec(self, mime, spec):
retdata = spec.serialize(mime)
#LOG.debug("object : %s" % (dumps(spec.wfspec)))
#LOG.debug("data : %s" % (retdata))
return retdata
def deserialize_job(self, mime, data):
retobj = WfJob.deserialize(mime, data)
#LOG.debug("data : %s" % (data))
#LOG.debug("object : %s" % (dumps(retobj.wfinst)))
return retobj
def serialize_job(self, mime, job):
retdata = job.serialize(mime)
#LOG.debug("object : %s" % (dumps(job.wfinst)))
#LOG.debug("data : %s" % (retdata))
return retdata
def job_run(self, jid, data):
'''
current state operation next state
started [auto] running
started cancel cancelled
started restart started
running [auto] waiting | completed
running cancel cancelled
running restart started
waiting [auto] running | (timeout) cancelled
waiting cancel cancelled
waiting restart started
cancelled and completed are terminal states,
any operation would result in error.
'''
meta = {}
meta['debug'] = False
meta['submitted_at'] = time()
meta['data'] = data
LOG.debug("job {0} has meta_data as {1}".format(jid, data))
qjob = self.worker(QueueName.B1).enqueue(cb_run_job, encode(jid), job_id=str(jid), meta=meta)
return qjob.id
def _retreive_qjob(self, jid):
LOG.debug("jid=%s" % (jid))
job = Job(id=jid, connection=self._db_conn)
if job is None: raise ValueError("invalid job id")
try:
job.refresh()
except NoSuchJobError:
raise ValueError("invalid job id")
return job
def job_load(self, jid):
LOG.debug("loading jid=%s" % (jid))
#TODO - if the state is not eventually updated by worker, this will load the initial state
job_details = self._db_conn.load_job(jid)
job = WfJob.deserialize('application/json', job_details)
job.set_data("id", jid)
return job
def job_status(self, jid):
'''
' for the given job-id
' reports the rq job status
' reports the wf job tasks' status
' {
' "status" : <rq_job_status>,
' "tasks" :
' [
' {"id":<task_id>,"name":<task_name>,"status":<task_status>},
' ...
' ]
' }
'''
status = {}
status['status'] = self._retreive_qjob(jid).status
#TODO: see the bug mentioned in job_load()
wfjob = self.job_load(jid)
task_list = wfjob.task_list()
status['tasks'] = []
for tid in task_list:
try:
task = WfTask.deserialize(wfjob, self._db_conn.load_task(tid))
status['tasks'].append({
'id':task.id,
'name':task.get_name(),
'status':task.status})
except TaskNotFoundError:
LOG.debug("task {0} of job {1} is not found.".format(tid, jid))
return status
def job_result(self, jid):
'''
' for the given job-id
' reports the rq job result
' that was returned by the rq job callback method
' which usually is the wf job task tree
'''
return self._retreive_qjob(jid).result
def job_cancel(self, jid):
qjob = self._retreive_qjob(jid)
if qjob.get_status() in ["finished", "failed"]:
raise WfJobError("invalid operation")
qjob.meta['cancel_requested'] = True
qjob.meta['cancel_requested_at'] = time()
qjob.save_meta()
qjob.save()
return jid
def job_restart(self, jid):
qjob = self._retreive_qjob(jid)
qjob.cancel()
qjob.delete()
return self.job_run(jid)
|
conference papers, and technical reports in computer science with this bibliography collection. Browse and search to find full texts, multimedia, and more. Therefore, Wikipedia is best used at the start of your research to help you get a sense of the breadth and depth of your topic. Google Books :Supercharge your research by searching this index of the worlds books. Gov :In this government science portal, you can search more than 50 databases and 2,100 selected websites from 12 federal agencies. Find authoritative, intelligent, and time-saving resources in a safe, editor-reviewed environment with iseek.
When you know of a specific source, and you just need to find it on the Internet. There are many different academic search engines. The search is managed by scientists and librarians as a collaborative initiative between Bioline Toronto and and the Reference Center on Environmental Information. CiteSeerX :Get searchable access to the Scientific Research Digital Library by using the CiteSeerX website.
Originally Answered: Where can I get research papers to study, for free, for my project? Find out from the library website how to set up your online connection. With all of the words. With the exact phrase. With at least one of the words.
SciSeek :In this science search engine and directory, youll find the best of what the science web has to offer. The websites in this index are selected by librarians, teachers, and educational consortia. Internet Public Library :Find resources by subject through the Internet Public Librarys database. Some of these libraries are free to the public. This is an expensive option, particularly if you have multiple papers you'd like to read; try some of the other searching methods first. Some scientific journals are "open-source meaning that their content is always free online to the public. Bioline International :Search Bioline International to get connected with a variety of scientific journals. Internet Ancient History Sourcebook :The Internet Ancient History Sourcebook is a great place to study human origins, with full text and search on topics including Mesopotamia, Rome, the Hellenistic world, Late Antiquity, and Christian origins. States, DC, and the Territories. Perhaps the most useful part of a Wikipedia page is the References section at the bottom, which contains links to relevant sites that are often more credible than the Wikipedia page itself. Business and Economics Using these search engines, youll get access to business publications, journal articles, and more. Google Scholar also has link under each posting to help you find related articles.
|
#!/usr/bin/env python
# (c) 2013, AnsibleWorks
#
# This file is part of Ansible Commander
#
# Ansible Commander 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 3 of the License, or
# (at your option) any later version.
#
# Ansible Commander 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 Ansible Commander. If not, see <http://www.gnu.org/licenses/>.
import json
from optparse import make_option
import os
import sys
from django.core.management.base import NoArgsCommand, CommandError
class Command(NoArgsCommand):
help = 'Ansible Commander Inventory script'
option_list = NoArgsCommand.option_list + (
make_option('-i', '--inventory', dest='inventory', type='int', default=0,
help='Inventory ID (can also be specified using '
'ACOM_INVENTORY environment variable)'),
make_option('--list', action='store_true', dest='list', default=False,
help='Return JSON hash of host groups.'),
make_option('--host', dest='host', default='',
help='Return JSON hash of host vars.'),
make_option('--indent', dest='indent', type='int', default=None,
help='Indentation level for pretty printing output'),
)
def get_list(self, inventory, indent=None):
groups = {}
for group in inventory.groups.all():
# FIXME: Check if group is active?
group_info = {
'hosts': list(group.hosts.values_list('name', flat=True)),
# FIXME: Include host vars here?
'vars': dict(group.variable_data.values_list('name', 'data')),
'children': list(group.children.values_list('name', flat=True)),
}
group_info = dict(filter(lambda x: bool(x[1]), group_info.items()))
if group_info.keys() in ([], ['hosts']):
groups[group.name] = group_info.get('hosts', [])
else:
groups[group.name] = group_info
self.stdout.write(json.dumps(groups, indent=indent))
def get_host(self, inventory, hostname, indent=None):
from lib.main.models import Host
hostvars = {}
try:
# FIXME: Check if active?
host = inventory.hosts.get(name=hostname)
except Host.DoesNotExist:
raise CommandError('Host %s not found in the given inventory' % hostname)
hostvars = dict(host.variable_data.values_list('name', 'data'))
# FIXME: Do we also need to include variables defined for groups of which
# this host is a member?
self.stdout.write(json.dumps(hostvars, indent=indent))
def handle_noargs(self, **options):
from lib.main.models import Inventory
try:
inventory_id = int(os.getenv('ACOM_INVENTORY', options.get('inventory', 0)))
except ValueError:
raise CommandError('Inventory ID must be an integer')
if not inventory_id:
raise CommandError('No inventory ID specified')
try:
inventory = Inventory.objects.get(id=inventory_id)
except Inventory.DoesNotExist:
raise CommandError('Inventory with ID %d not found' % inventory_id)
list_ = options.get('list', False)
host = options.get('host', '')
indent = options.get('indent', None)
if list_ and host:
raise CommandError('Only one of --list or --host can be specified')
elif list_:
self.get_list(inventory, indent=indent)
elif host:
self.get_host(inventory, host, indent=indent)
else:
self.stderr.write('Either --list or --host must be specified')
self.print_help()
if __name__ == '__main__':
# FIXME: This environment variable *should* already be set if this script
# is called from a celery task. Probably won't work otherwise.
try:
import lib.settings
except ImportError:
sys.path.insert(0, os.path.abspath(os.path.join(os.path.dirname(__file__), '..', '..', '..', '..')))
os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'lib.settings')
from django.core.management import execute_from_command_line
argv = [sys.argv[0], 'acom_inventory'] + sys.argv[1:]
execute_from_command_line(argv)
|
China sizePlease check the size chart carefully before buying, thanks!
Europe / USsize, Please check the size chart carefully before buying, thanks!
Item measure by hand, it could be 2cm ~ 3cm different.
So we can suggest you to choose the suitable size.
Have any questions, please give me a message. I'll get back to you within 3 hours.
Recommend for your lover. Please add to shopping cart and wishlist.
|
import logging
import os, sys, getopt
CODE_ROOT = os.path.dirname(os.path.dirname(os.path.dirname(__file__)))
# Add parent directory to PYTHONPATH, so that vedavaapi_py_api module can be found.
sys.path.append(CODE_ROOT)
print(sys.path)
from vedavaapi_py_api import run
from sanskrit_data.db.implementations import mongodb
from sanskrit_data.schema.common import JsonObject
logging.basicConfig(
level=logging.DEBUG,
format="%(levelname)s: %(asctime)s {%(filename)s:%(lineno)d}: %(message)s "
)
REPO_ROOT = os.path.join(CODE_ROOT, "textract-example-repo")
def dump_db(dest_dir=os.path.join(REPO_ROOT, "books_v2")):
from vedavaapi_py_api.ullekhanam.backend import get_db
db = get_db(db_name_frontend="ullekhanam_test")
logging.debug(db.list_books())
db.dump_books(dest_dir)
def import_db(db_name_frontend="ullekhanam_test_v2"):
from vedavaapi_py_api.ullekhanam.backend import get_db
db = get_db(db_name_frontend=db_name_frontend)
db.import_all(rootdir=db.external_file_store)
def main(argv):
def usage():
logging.info("run.py [--action dump]...")
exit(1)
params = JsonObject()
try:
opts, args = getopt.getopt(argv, "ha:", ["action="])
for opt, arg in opts:
if opt == '-h':
usage()
elif opt in ("-a", "--action"):
params.action = arg
except getopt.GetoptError:
usage()
if params.action == "dump":
dump_db()
elif params.action == "import":
import_db()
if __name__ == '__main__':
main(sys.argv[1:])
|
3. If everything checks out up to this point, take it to Central Park Garage for a thorough used car inspection. Your friendly and knowledgeable service advisor at Central Park Garage can give you a heads up on any pressing issues or emerging problems that will need to be addressed eventually. If the seller won't let you do this before you buy, move on.
5. After you buy, stay on top of regular maintenance (and save the records). Central Park Garage will help keep your car running well and you will enjoy not having a car payment.
|
# encoding: utf-8
import datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding model 'GroupInformation'
db.create_table('groups_groupinformation', (
('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('group', self.gf('django.db.models.fields.related.OneToOneField')(to=orm['auth.Group'], unique=True)),
('type', self.gf('django.db.models.fields.IntegerField')()),
('public', self.gf('django.db.models.fields.BooleanField')(default=False, blank=True)),
('requestable', self.gf('django.db.models.fields.BooleanField')(default=False, blank=True)),
('description', self.gf('django.db.models.fields.TextField')()),
))
db.send_create_signal('groups', ['GroupInformation'])
# Adding M2M table for field admins on 'GroupInformation'
db.create_table('groups_groupinformation_admins', (
('id', models.AutoField(verbose_name='ID', primary_key=True, auto_created=True)),
('groupinformation', models.ForeignKey(orm['groups.groupinformation'], null=False)),
('user', models.ForeignKey(orm['auth.user'], null=False))
))
db.create_unique('groups_groupinformation_admins', ['groupinformation_id', 'user_id'])
# Adding model 'GroupRequest'
db.create_table('groups_grouprequest', (
('id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('group', self.gf('django.db.models.fields.related.ForeignKey')(related_name='requests', to=orm['auth.Group'])),
('user', self.gf('django.db.models.fields.related.ForeignKey')(related_name='grouprequests', to=orm['auth.User'])),
('reason', self.gf('django.db.models.fields.TextField')()),
('status', self.gf('django.db.models.fields.IntegerField')()),
('changed_by', self.gf('django.db.models.fields.related.ForeignKey')(to=orm['auth.User'])),
('changed_date', self.gf('django.db.models.fields.DateTimeField')(auto_now=True, blank=True)),
('created_date', self.gf('django.db.models.fields.DateTimeField')(auto_now_add=True, blank=True)),
))
db.send_create_signal('groups', ['GroupRequest'])
def backwards(self, orm):
# Deleting model 'GroupInformation'
db.delete_table('groups_groupinformation')
# Removing M2M table for field admins on 'GroupInformation'
db.delete_table('groups_groupinformation_admins')
# Deleting model 'GroupRequest'
db.delete_table('groups_grouprequest')
models = {
'auth.group': {
'Meta': {'object_name': 'Group'},
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '80', 'unique': 'True'}),
'permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'})
},
'auth.permission': {
'Meta': {'unique_together': "(('content_type', 'codename'),)", 'object_name': 'Permission'},
'codename': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'content_type': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['contenttypes.ContentType']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '50'})
},
'auth.user': {
'Meta': {'object_name': 'User'},
'date_joined': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'email': ('django.db.models.fields.EmailField', [], {'max_length': '75', 'blank': 'True'}),
'first_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'groups': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Group']", 'symmetrical': 'False', 'blank': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'is_active': ('django.db.models.fields.BooleanField', [], {'default': 'True', 'blank': 'True'}),
'is_staff': ('django.db.models.fields.BooleanField', [], {'default': 'False', 'blank': 'True'}),
'is_superuser': ('django.db.models.fields.BooleanField', [], {'default': 'False', 'blank': 'True'}),
'last_login': ('django.db.models.fields.DateTimeField', [], {'default': 'datetime.datetime.now'}),
'last_name': ('django.db.models.fields.CharField', [], {'max_length': '30', 'blank': 'True'}),
'password': ('django.db.models.fields.CharField', [], {'max_length': '128'}),
'user_permissions': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.Permission']", 'symmetrical': 'False', 'blank': 'True'}),
'username': ('django.db.models.fields.CharField', [], {'max_length': '30', 'unique': 'True'})
},
'contenttypes.contenttype': {
'Meta': {'unique_together': "(('app_label', 'model'),)", 'object_name': 'ContentType', 'db_table': "'django_content_type'"},
'app_label': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'model': ('django.db.models.fields.CharField', [], {'max_length': '100'}),
'name': ('django.db.models.fields.CharField', [], {'max_length': '100'})
},
'groups.groupinformation': {
'Meta': {'object_name': 'GroupInformation'},
'admins': ('django.db.models.fields.related.ManyToManyField', [], {'to': "orm['auth.User']", 'symmetrical': 'False'}),
'description': ('django.db.models.fields.TextField', [], {}),
'group': ('django.db.models.fields.related.OneToOneField', [], {'to': "orm['auth.Group']", 'unique': 'True'}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'public': ('django.db.models.fields.BooleanField', [], {'default': 'False', 'blank': 'True'}),
'requestable': ('django.db.models.fields.BooleanField', [], {'default': 'False', 'blank': 'True'}),
'type': ('django.db.models.fields.IntegerField', [], {})
},
'groups.grouprequest': {
'Meta': {'object_name': 'GroupRequest'},
'changed_by': ('django.db.models.fields.related.ForeignKey', [], {'to': "orm['auth.User']"}),
'changed_date': ('django.db.models.fields.DateTimeField', [], {'auto_now': 'True', 'blank': 'True'}),
'created_date': ('django.db.models.fields.DateTimeField', [], {'auto_now_add': 'True', 'blank': 'True'}),
'group': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'requests'", 'to': "orm['auth.Group']"}),
'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'reason': ('django.db.models.fields.TextField', [], {}),
'status': ('django.db.models.fields.IntegerField', [], {}),
'user': ('django.db.models.fields.related.ForeignKey', [], {'related_name': "'grouprequests'", 'to': "orm['auth.User']"})
}
}
complete_apps = ['groups']
|
Business modeling is a way to experiment and test your hypothesis for creating and capturing value, while reducing risks. When managers consciously operate with deep understanding of how the entire business system works, they can make better decisions and gain critical feedback on whether or not the intended approach is working. This Learning Sprint is designed to teach you the key essentials of how to utilize the Business Model Canvas tool to effectively model and shape existing and future products.
Establish a shared language to better discuss existing and new business models and value propositions.
Learn how to design, test, and build new business models and value propositions in a systematic, efficient, and practical way.
Align your team and organization around clear stories of how you intend to create, deliver, and capture value.
Understand business models, value propositions, their components and their interdependencies.
Use key tools to describe, improve, and/or invent business models and value propositions.
Identify opportunities for enhancing or inventing business models and value propositions.
Communicate how your business models and value propositions create value through better stories.
|
#!/usr/bin/python
""" Defines a gantt widget item class for adding items to the widget. """
# define authorship information
__authors__ = ['Eric Hulser']
__author__ = ','.join(__authors__)
__credits__ = []
__copyright__ = 'Copyright (c) 2012, Projex Software'
__license__ = 'LGPL'
# maintenance information
__maintainer__ = 'Projex Software'
__email__ = '[email protected]'
#------------------------------------------------------------------------------
from projex.enum import enum
import projexui
import projex.dates
from projex.text import nativestring
from projexui.qt import wrapVariant
from projexui.qt.QtCore import QDate,\
QRectF,\
QSize,\
QTime,\
QDateTime,\
Qt
from projexui.qt.QtGui import QIcon
from projexui.widgets.xtreewidget import XTreeWidgetItem
from projexui.widgets.xganttwidget.xganttviewitem import XGanttViewItem
from projexui.widgets.xganttwidget.xganttdepitem import XGanttDepItem
from projexui.widgets.xganttwidget.xganttwidget import XGanttWidget
#------------------------------------------------------------------------------
class XGanttWidgetItem(XTreeWidgetItem):
"""
Defines the main widget item class that contains information for both the
tree and view widget items.
"""
ItemStyle = enum('Normal', 'Group', 'Milestone')
def __init__(self, ganttWidget):
super(XGanttWidgetItem, self).__init__()
# set default properties
self.setFixedHeight(ganttWidget.cellHeight())
for i in range(1, 20):
self.setTextAlignment(i, Qt.AlignCenter)
# define custom properties
self._blockedAdjustments = {}
self._viewItem = self.createViewItem()
self._dateStart = QDate.currentDate()
self._dateEnd = QDate.currentDate()
self._allDay = True
self._timeStart = QTime(0, 0, 0)
self._timeEnd = QTime(23, 59, 59)
self._name = ''
self._properties = {}
self._itemStyle = XGanttWidgetItem.ItemStyle.Normal
self._useGroupStyleWithChildren = True
self._dependencies = {}
self._reverseDependencies = {}
def addChild(self, item):
"""
Adds a new child item to this item.
:param item | <XGanttWidgetItem>
"""
super(XGanttWidgetItem, self).addChild(item)
item.sync()
def addDependency(self, item):
"""
Creates a dependency for this item to the next item. This item will
be treated as the source, the other as the target.
:param item | <QGanttWidgetItem>
"""
if item in self._dependencies:
return
viewItem = XGanttDepItem(self, item)
self._dependencies[item] = viewItem
item._reverseDependencies[self] = viewItem
self.syncDependencies()
def adjustmentsBlocked(self, key):
"""
Returns whether or not hierarchy adjustments are being blocked.
:param key | <str>
:return <bool>
"""
return self._blockedAdjustments.get(nativestring(key), False)
def adjustChildren(self, delta, secs=False):
"""
Shifts the children for this item by the inputed number of days.
:param delta | <int>
"""
if self.adjustmentsBlocked('children'):
return
if self.itemStyle() != self.ItemStyle.Group:
return
if not delta:
return
for c in range(self.childCount()):
child = self.child(c)
child.blockAdjustments('range', True)
if secs:
dstart = child.dateTimeStart()
dstart = dstart.addSecs(delta)
child.setDateStart(dstart.date())
child.setTimeStart(dstart.time())
else:
child.setDateStart(child.dateStart().addDays(delta))
child.blockAdjustments('range', False)
def adjustRange(self, recursive=True):
"""
Adjust the start and end ranges for this item based on the limits from
its children. This method will only apply to group items.
:param recursive | <bool>
"""
if ( self.adjustmentsBlocked('range') ):
return
if ( self.itemStyle() == self.ItemStyle.Group ):
dateStart = self.dateStart()
dateEnd = self.dateEnd()
first = True
for c in range(self.childCount()):
child = self.child(c)
if ( first ):
dateStart = child.dateStart()
dateEnd = child.dateEnd()
first = False
else:
dateStart = min(child.dateStart(), dateStart)
dateEnd = max(child.dateEnd(), dateEnd)
self._dateStart = dateStart
self._dateEnd = dateEnd
self.sync()
if ( self.parent() and recursive ):
self.parent().adjustRange(True)
def blockAdjustments(self, key, state):
"""
Blocks the inputed adjustments for the given key type.
:param key | <str>
state | <bool>
"""
self._blockedAdjustments[nativestring(key)] = state
def clearDependencies(self):
"""
Clears out all the dependencies from the scene.
"""
gantt = self.ganttWidget()
if ( not gantt ):
return
scene = gantt.viewWidget().scene()
for target, viewItem in self._dependencies.items():
target._reverseDependencies.pop(self)
scene.removeItem(viewItem)
self._dependencies.clear()
def createViewItem(self):
"""
Returns a new XGanttViewItem to use with this item.
:return <XGanttViewItem>
"""
return XGanttViewItem(self)
def dateEnd(self):
"""
Return the end date for this gantt item.
:return <QDate>
"""
return self._dateEnd
def dateStart(self):
"""
Return the start date for this gantt item.
:return <QDate>
"""
return self._dateStart
def dateTimeEnd(self):
"""
Returns a merging of data from the date end with the time end.
:return <QDateTime>
"""
return QDateTime(self.dateEnd(), self.timeEnd())
def dateTimeStart(self):
"""
Returns a merging of data from the date end with the date start.
:return <QDateTime>
"""
return QDateTime(self.dateStart(), self.timeStart())
def dependencies(self):
"""
Returns a list of all the dependencies linked with this item.
:return [<XGanttWidgetItem>, ..]
"""
return self._dependencies.keys()
def duration(self):
"""
Returns the number of days this gantt item represents.
:return <int>
"""
return 1 + self.dateStart().daysTo(self.dateEnd())
def ganttWidget(self):
"""
Returns the gantt widget that this item is linked to.
:return <XGanttWidget> || None
"""
tree = self.treeWidget()
if ( not tree ):
return None
from projexui.widgets.xganttwidget import XGanttWidget
return projexui.ancestor(tree, XGanttWidget)
def insertChild(self, index, item):
"""
Inserts a new item in the given index.
:param index | <int>
item | <XGanttWidgetItem>
"""
super(XGanttWidgetItem, self).insertChild(index, item)
item.sync()
def isAllDay(self):
"""
Returns whehter or not this item reflects an all day event.
:return <bool>
"""
return self._allDay
def itemStyle(self):
"""
Returns the item style information for this item.
:return <XGanttWidgetItem.ItemStyle>
"""
if ( self.useGroupStyleWithChildren() and self.childCount() ):
return XGanttWidgetItem.ItemStyle.Group
return self._itemStyle
def name(self):
"""
Returns the name for this gantt widget item.
:return <str>
"""
return self._name
def property(self, key, default=None):
"""
Returns the custom data that is stored on this object.
:param key | <str>
default | <variant>
:return <variant>
"""
if key == 'Name':
return self.name()
elif key == 'Start':
return self.dateStart()
elif key == 'End':
return self.dateEnd()
elif key == 'Calendar Days':
return self.duration()
elif key == 'Work Days':
return self.weekdays()
elif key == 'Time Start':
return self.timeStart()
elif key == 'Time End':
return self.timeEnd()
elif key == 'All Day':
return self.isAllDay()
else:
return self._properties.get(nativestring(key), default)
def removeFromScene(self):
"""
Removes this item from the view scene.
"""
gantt = self.ganttWidget()
if not gantt:
return
scene = gantt.viewWidget().scene()
scene.removeItem(self.viewItem())
for target, viewItem in self._dependencies.items():
target._reverseDependencies.pop(self)
scene.removeItem(viewItem)
def setAllDay(self, state):
"""
Sets whether or not this item is an all day event.
:param state | <bool>
"""
self._allDay = state
def setDateEnd(self, date):
"""
Sets the date start value for this item.
:param dateStart | <QDate>
"""
self._dateEnd = date
def setDateStart(self, date):
"""
Sets the date start value for this item.
:param dateStart | <QDate>
"""
self._dateStart = date
def setDateTimeEnd(self, dtime):
"""
Sets the endiing date time for this gantt chart.
:param dtime | <QDateTime>
"""
self._dateEnd = dtime.date()
self._timeEnd = dtime.time()
self._allDay = False
def setDateTimeStart(self, dtime):
"""
Sets the starting date time for this gantt chart.
:param dtime | <QDateTime>
"""
self._dateStart = dtime.date()
self._timeStart = dtime.time()
self._allDay = False
def setDuration(self, duration):
"""
Sets the duration for this item to the inputed duration.
:param duration | <int>
"""
if duration < 1:
return False
self.setDateEnd(self.dateStart().addDays(duration - 1))
return True
def setItemStyle(self, itemStyle):
"""
Sets the item style that will be used for this widget. If you are
trying to set a style on an item that has children, make sure to turn
off the useGroupStyleWithChildren option, or it will always display as
a group.
:param itemStyle | <XGanttWidgetItem.ItemStyle>
"""
self._itemStyle = itemStyle
# initialize the group icon for group style
if itemStyle == XGanttWidgetItem.ItemStyle.Group and \
self.icon(0).isNull():
ico = projexui.resources.find('img/folder_close.png')
expand_ico = projexui.resources.find('img/folder_open.png')
self.setIcon(0, QIcon(ico))
self.setExpandedIcon(0, QIcon(expand_ico))
def setName(self, name):
"""
Sets the name of this widget item to the inputed name.
:param name | <str>
"""
self._name = name
tree = self.treeWidget()
if tree:
col = tree.column('Name')
if col != -1:
self.setData(col, Qt.EditRole, wrapVariant(name))
def setProperty(self, key, value):
"""
Sets the custom property for this item's key to the inputed value. If
the widget has a column that matches the inputed key, then the value
will be added to the tree widget as well.
:param key | <str>
value | <variant>
"""
if key == 'Name':
self.setName(value)
elif key == 'Start':
self.setDateStart(value)
elif key == 'End':
self.setDateEnd(value)
elif key == 'Calendar Days':
self.setDuration(value)
elif key == 'Time Start':
self.setTimeStart(value)
elif key == 'Time End':
self.setTimeEnd(value)
elif key == 'All Day':
self.setAllDay(value)
elif key == 'Workadys':
pass
else:
self._properties[nativestring(key)] = value
tree = self.treeWidget()
if tree:
col = tree.column(key)
if col != -1:
self.setData(col, Qt.EditRole, wrapVariant(value))
def setTimeEnd(self, time):
"""
Sets the ending time that this item will use. To properly use a timed
item, you need to also set this item's all day property to False.
:sa setAllDay
:param time | <QTime>
"""
self._timeEnd = time
self._allDay = False
def setTimeStart(self, time):
"""
Sets the starting time that this item will use. To properly use a timed
item, you need to also set this item's all day property to False.
:sa setAllDay
:param time | <QTime>
"""
self._timeStart = time
self._allDay = False
def setUseGroupStyleWithChildren(self, state):
"""
Sets whether or not this item should display as group style when
it has children. This will override whatever is set in the style
property for the item.
:return <bool>
"""
self._useGroupStyleWithChildren = state
def sync(self, recursive=False):
"""
Syncs the information from this item to the tree and view.
"""
self.syncTree(recursive=recursive)
self.syncView(recursive=recursive)
def syncDependencies(self, recursive=False):
"""
Syncs the dependencies for this item to the view.
:param recurisve | <bool>
"""
scene = self.viewItem().scene()
if not scene:
return
visible = self.viewItem().isVisible()
depViewItems = self._dependencies.values()
depViewItems += self._reverseDependencies.values()
for depViewItem in depViewItems:
if not depViewItem.scene():
scene.addItem(depViewItem)
depViewItem.rebuild()
depViewItem.setVisible(visible)
if recursive:
for c in range(self.childCount()):
self.child(c).syncDependencies(recursive = True)
def syncTree(self, recursive=False, blockSignals=True):
"""
Syncs the information from this item to the tree.
"""
tree = self.treeWidget()
# sync the tree information
if not tree:
return
items = [self]
if recursive:
items += list(self.children(recursive=True))
if blockSignals and not tree.signalsBlocked():
blocked = True
tree.blockSignals(True)
else:
blocked = False
date_format = self.ganttWidget().dateFormat()
for item in items:
for c, col in enumerate(tree.columns()):
value = item.property(col, '')
item.setData(c, Qt.EditRole, wrapVariant(value))
if blocked:
tree.blockSignals(False)
def syncView(self, recursive=False):
"""
Syncs the information from this item to the view.
"""
# update the view widget
gantt = self.ganttWidget()
tree = self.treeWidget()
if not gantt:
return
vwidget = gantt.viewWidget()
scene = vwidget.scene()
cell_w = gantt.cellWidth()
tree_offset_y = tree.header().height() + 1
tree_offset_y += tree.verticalScrollBar().value()
# collect the items to work on
items = [self]
if recursive:
items += list(self.children(recursive=True))
for item in items:
# grab the view item from the gantt item
vitem = item.viewItem()
if not vitem.scene():
scene.addItem(vitem)
# make sure the item should be visible
if item.isHidden() or not tree:
vitem.hide()
continue
vitem.show()
tree_rect = tree.visualItemRect(item)
tree_y = tree_rect.y() + tree_offset_y
tree_h = tree_rect.height()
# check to see if this item is hidden
if tree_rect.height() == 0:
vitem.hide()
continue
if gantt.timescale() in (gantt.Timescale.Minute,
gantt.Timescale.Hour,
gantt.Timescale.Day):
dstart = item.dateTimeStart()
dend = item.dateTimeEnd()
view_x = scene.datetimeXPos(dstart)
view_r = scene.datetimeXPos(dend)
view_w = view_r - view_x
else:
view_x = scene.dateXPos(item.dateStart())
view_w = item.duration() * cell_w
# determine the % off from the length based on this items time
if not item.isAllDay():
full_day = 24 * 60 * 60 # full days worth of seconds
# determine the start offset
start = item.timeStart()
start_day = (start.hour() * 60 * 60)
start_day += (start.minute() * 60)
start_day += (start.second())
offset_start = (start_day / float(full_day)) * cell_w
# determine the end offset
end = item.timeEnd()
end_day = (end.hour() * 60 * 60)
end_day += (start.minute() * 60)
end_day += (start.second() + 1) # forces at least 1 sec
offset_end = ((full_day - end_day) / float(full_day))
offset_end *= cell_w
# update the xpos and widths
view_x += offset_start
view_w -= (offset_start + offset_end)
view_w = max(view_w, 5)
vitem.setSyncing(True)
vitem.setPos(view_x, tree_y)
vitem.setRect(0, 0, view_w, tree_h)
vitem.setSyncing(False)
# setup standard properties
flags = vitem.ItemIsSelectable
flags |= vitem.ItemIsFocusable
if item.flags() & Qt.ItemIsEditable:
flags |= vitem.ItemIsMovable
vitem.setFlags(flags)
item.syncDependencies()
def takeChild(self, index):
"""
Removes the child at the given index from this item.
:param index | <int>
"""
item = super(XGanttWidgetItem, self).takeChild(index)
if item:
item.removeFromScene()
return item
def takeDependency(self, item):
"""
Removes the dependency between the this item and the inputed target.
:param item | <XGanttWidgetItem>
"""
if ( not item in self._dependencies ):
return
item._reverseDependencies.pop(self)
viewItem = self._dependencies.pop(item)
scene = viewItem.scene()
if ( scene ):
scene.removeItem(viewItem)
def timeEnd(self):
"""
Returns the ending time that will be used for this item. If it is an
all day event, then the time returned will be 23:59:59.
:return <QTime>
"""
if ( self.isAllDay() ):
return QTime(23, 59, 59)
return self._timeEnd
def timeStart(self):
"""
Returns the starting time that will be used for this item. If it is
an all day event, then the time returned will be 0:0:0
:return <QTime>
"""
if ( self.isAllDay() ):
return QTime(0, 0, 0)
return self._timeStart
def useGroupStyleWithChildren(self):
"""
Returns whether or not this item should display as group style when
it has children. This will override whatever is set in the style
property for the item.
:return <bool>
"""
return self._useGroupStyleWithChildren
def viewChanged(self, start, end):
"""
Called when the view item is changed by the user.
:param start | <QDate> || <QDateTime>
end | <QDate> || <QDateTime>
"""
if type(start) == QDate:
delta = self._dateStart.daysTo(start)
self._dateStart = start
self._dateEnd = end
self.adjustChildren(delta)
else:
delta = self._dateStart.secsTo(start)
self._dateStart = start.date()
self._timeStart = start.time()
self._dateEnd = end.date()
self._timeEnd = end.time()
self.adjustChildren(delta, secs=True)
self.adjustRange()
self.syncDependencies()
self.syncTree()
def viewItem(self):
"""
Returns the view item that is linked with this item.
:return <XGanttViewItem>
"""
if type(self._viewItem).__name__ == 'weakref':
return self._viewItem()
return self._viewItem
def weekdays(self):
"""
Returns the number of weekdays this item has.
:return <int>
"""
if self.itemStyle() == self.ItemStyle.Group:
out = 0
for i in range(self.childCount()):
out += self.child(i).weekdays()
return out
else:
dstart = self.dateStart().toPyDate()
dend = self.dateEnd().toPyDate()
return projex.dates.weekdays(dstart, dend)
|
Get Xtreme at the Academy this winter! Make super slime to take home, collect wild specimens on an enormous scale and taste the hottest hot sauce and the crunchiest bugs.
Explore the extreme science behind climate change, evolution and other hot topics, and unleash your inner mad scientist with hands-on experiments in the lab. You can visit Xtreme Bugs for an epic experience featuring giant animatronic creatures. Then relax in the Academy beer garden under the T. rex in Dinosaur Hall as you play games, enjoy treats and sip seasonal beverages.
Thursday and Friday - 1–5 p.m.
Saturday and Sunday - 12–5 p.m.
Are you an adventurous eater? Will you survive the spiciest sauce or chow down on the chirpiest cricket chips? Check out real Academy specimens as you sample extreme foods, play some floor games and then take a well-earned break in the beer garden.
Learn all about the creatures that call the Academy home and their adaptations, habitats, similarities and differences. Meet some furry, feathery and scaly Academy ambassadors!
Did you know that bugs outnumber humans 200 million to 1? Check out some awesome arachnids or cool cockroaches in this technology-enabled show featuring the live invertebrate collection of the Academy. Compare these bugs to your favorites in Outside In!
Enter if you dare! Unleash your inner mad scientist with a photo op and some wacky wigs while you design your own hands-on experiments. You can study bugs, plan a city and test waterways to explore the extreme science behind climate change, biodiversity, water systems and evolution.
Get Collected … Xtreme Bugs Edition!
What time is it? SLIME TIME! Make and take some ooey-gooey slime from our secret recipe.
From a fluttering oversized monarch butterfly to a blood-sucking bed bug, these towering animatronics tell a rarely seen story of the behaviors and intricacies of extreme bugs. Get a bug’s-eye view of the world, explore critter calls, dig for ancient arthropods and play an Xtreme bug facts game. Fee in addition to museum admission.
|
from django.shortcuts import render
from django.contrib.auth import authenticate, login
from django.http import HttpResponseRedirect, HttpResponse
from django.contrib.auth import logout
from .forms import UserForm, UserProfileForm
def register(request):
registered = False
if request.method == 'POST':
user_form = UserForm(data=request.POST)
profile_form = UserProfileForm(data=request.POST)
if user_form.is_valid() and profile_form.is_valid():
user = user_form.save()
user.set_password(user.password)
user.save()
profile = profile_form.save(commit=False)
profile.user = user
if 'portrait' in request.FILES:
profile.portrait = request.FILES['portrait']
profile.save()
registered = True
else:
print(user_form.errors)
print(profile_form.errors)
else:
user_form = UserForm()
profile_form = UserProfileForm()
return render(request,'user/register.html',
dict(user_form=user_form, profile_form=profile_form, registered=registered))
def user_login(request):
if request.method == 'POST':
username = request.POST.get('username')
password = request.POST.get('password')
user = authenticate(username=username, password=password)
if user:
if user.is_active:
login(request, user)
return HttpResponseRedirect('/')
else:
return HttpResponse('账户没有激活')
else:
return HttpResponse('账户信息错误')
else:
return render(request,'user/login.html', {})
def user_logout(request):
logout(request)
return HttpResponseRedirect('/')
|
Safe Mode is the default user mode in Safari 6.1 or later, but it can prevent content files from being uploaded in Mindflash.
When an Administrators goes to the Arrange window in Safari, Safe Mode prevents content files from being uploaded when "Insert +" button is clicked. When the "Insert +" button is clicked, the window to select your files does not appear. Safe mode blocks this.
In order to be able to upload your content files in Safari, Safe Mode will have to be disabled for Mindflash website. The article link below, from Adobe Flash, details the steps to disable Safe Mode.
Why did my Trainee fail the course?
|
# -*- coding: utf-8 -*-
#
# Geonum is a Python library for geographical calculations in 3D
# Copyright (C) 2017 Jonas Gliss ([email protected])
#
# This program is free software: you can redistribute it and/or
# modify it under the terms of the GNU General Public License a
# published by the Free Software Foundation, either version 3 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, see <http://www.gnu.org/licenses/>.
"""
Access and handling of topographic data
"""
import numpy as np
import os
from warnings import warn
from six import with_metaclass
import srtm
import abc
from geonum import NETCDF_AVAILABLE, LOCAL_TOPO_DIR
from geonum.exceptions import (TopoAccessError, SRTMNotCoveredError)
class TopoAccessBase(with_metaclass(abc.ABCMeta, object)):
"""Abstract base class for topgraphy file implementations
Defines minimum interface for derived access classes of different
topographic datasets.
"""
#local_path = None
#topo_id = None
#: A coordinate for which data should be available
_TESTLAT = 45
_TESTLON = 15
def __init__(self, local_path=None, check_access=True):
self.local_path = local_path
self.topo_id = None
if check_access:
self.check_access()
@abc.abstractmethod
def get_data(self, lat0, lon0, lat1=None, lon1=None):
"""Declaration of data access method
It is obligatory to implement this method into derived classes.
Parameters
----------
lat0 : float
first latitude coordinate of topographic range (lower left coord)
lon0 : float
first longitude coordinate of topographic range (lower left coord)
lat1 : int or float, optional
second latitude coordinate of topographic range (upper right
coord). If None only data around lon0, lat0 will be extracted.
lon1 : int or float, optional
second longitude coordinate of topographic range (upper right
coord). If None only data around lon0, lat0 will be extracted.
Returns
-------
TopoData
instance of TopoData class
"""
pass
def check_access(self):
"""Check if topography data can be accessed"""
from geonum.topodata import TopoData
try:
d = self.get_data(self._TESTLAT, self._TESTLON)
if not isinstance(d, TopoData):
raise ValueError('Invalid return type, expected instance '
'of TopoData class, got {}'.format(type(d)))
return True
except Exception as e:
print('Could not access topodata: {}'.format(repr(e)))
return False
def _prep_borders(self, lat0, lon0, lat1, lon1):
"""Sort by longitudes and determines LL and TR coordinates
Parameters
----------
lat0 : float
first latitude coordinate of topographic range (lower left coord)
lon0 : float
first longitude coordinate of topographic range (lower left coord)
lat1 : float
second latitude coordinate of topographic range (upper right coord)
lon1 : float
second longitude coordinate of topographic range (upper right coord)
Returns
-------
tuple
4-element tuple, containing:
- float, smallest latitude (LL corner)
- float, smallest longitude (LL corner)
- float, largest latitude (TR corner)
- float, largest longitude (TR corner)
"""
lats, lons = np.asarray([lat0, lat1]), np.asarray([lon0, lon1])
return (np.nanmin(lats), np.nanmin(lons),
np.nanmax(lats), np.nanmax(lons))
def _init_lons_lats(self, lats_all, lons_all, lat0, lon0, lat1=None,
lon1=None):
"""Get all latitudes and longitudes on a topodata grid
Parameters
----------
lats_all : ndarray
numpy array containing available latitudes of the accessed topo
dataset
lons_all : ndarray
numpy array containing available longitudes of the accessed topo
dataset
lat0 : float
first latitude coordinate of topographic range (lower left coord)
lon0 : float
first longitude coordinate of topographic range (lower left coord)
lat1 : float, optional
second latitude coordinate of topographic range (upper right coord)
lon1 : float, optional
second longitude coordinate of topographic range (upper right coord)
Returns
-------
tuple
2-element tuple, containing
- ndarray, topodata latitudes overlapping with input range
- ndarray, topodata longitudes overlapping with input range
"""
if any([x is None for x in [lat1, lon1]]):
lat1, lon1 = lat0, lon0
if lon0 > lon1:
lon0, lon1 = lon1, lon0
lat0, lat1 = lat1, lat0
#print lat0, lon0, lat1, lon1
#closest indices
idx_lons = [np.argmin(abs(lons_all - lon0)),
np.argmin(abs(lons_all - lon1))]
idx_lats = [np.argmin(abs(lats_all - lat0)),
np.argmin(abs(lats_all - lat1))]
#Make sure that the retrieved indices actually INCLUDE the input ranges
if idx_lons[0] == 0 and lons_all[0] > lon0:
warn("Error: Lon0 smaller than range covered by file, using first"
" available index in topodata..")
lon0 = lons_all[0]
idx_lons[0] = 0
elif lons_all[idx_lons[0]] > lon0:
idx_lons[0] -= 1
if idx_lons[1] == len(lons_all) - 1 and lons_all[-1] < lon1:
warn("Error: Lon1 larger than range covered by file, using last"
" available index in topodata..")
lon1 = lons_all[-1]
idx_lons[1] = len(lons_all) - 1
elif lons_all[idx_lons[1]] < lon1:
idx_lons[1] += 1
if idx_lats[0] == 0 and lats_all[0] > lat0:
warn("Error: Lat0 smaller than range covered by file, using first"
" available index in topodata..")
lat0 = lats_all[0]
idx_lats[0] = 0
elif lats_all[idx_lats[0]] > lat0:
idx_lats[0] -= 1
if idx_lats[1] == len(lats_all) - 1 and lats_all[-1] < lat1:
warn("Error: Lat1 larger than range covered by file, using last"
" available index in topodata..")
lat1 = lats_all[-1]
idx_lats[1] = len(lats_all) - 1
elif lats_all[idx_lats[1]] < lat1:
idx_lats[1] += 1
#make sure that no odd array lengths occur
if not (idx_lats[1] - idx_lats[0] + 1) %2 == 0:
#try append index at the end
if not idx_lats[1] == len(lats_all) - 1:
idx_lats[1] += 1
elif not idx_lats[0] == 0:
idx_lats[0] -= 1
else:
raise ValueError("Fatal error, odd length of latitude array")
if not (idx_lons[1] - idx_lons[0] + 1) %2 == 0:
#try append index at the end
if not idx_lons[1] == len(lons_all) - 1:
idx_lons[1] += 1
elif not idx_lons[0] == 0:
idx_lons[0] -= 1
else:
raise ValueError("Fatal error, odd length of longitude array")
if idx_lats[0] > idx_lats[1]:
return (lats_all[idx_lats[1] : idx_lats[0] + 1],
lons_all[idx_lons[0] : idx_lons[1] + 1],
idx_lats, idx_lons)
else:
return (lats_all[idx_lats[0] : idx_lats[1] + 1],
lons_all[idx_lons[0] : idx_lons[1] + 1],
idx_lats, idx_lons)
class Etopo1Access(TopoAccessBase):
"""A class representing netCDF4 data access of Etopo1 data
See `here <https://github.com/jgliss/geonum#supported-etopo1-files>`_ for
instructions on the data access.
Attributes
----------
loader
data loader (:class:`netCDF4.Dataset`)
local_path : str
directory where Etopo1 data files are stored
file_name : str
file name of etopo data file
Parameters
----------
local_path : str
directory where Etopo1 data files are stored
file_name : str
file name of etopo data file
check_access : bool
if True, then access to topography data is checked on init and an
error is raised if no dataset can be accessed
search_database : bool
if True and topodata file :attr:`file_path` does not exist, then
a valid topography file is searched in all paths that are specified
in file `~/.geonum/LOCAL_TOPO_PATHS`.
Raises
------
TopoAccessError
if input arg `check_access` is True and if no supported data file
can be found
"""
#: ID of dataset
topo_id = "etopo1"
#: filenames of supported topographic datasets in preferred order
supported_topo_files = ["ETOPO1_Ice_g_gmt4.grd",
"ETOPO1_Bed_g_gmt4.grd"]
def __init__(self, local_path=None, file_name=None, check_access=False,
search_database=True):
if not NETCDF_AVAILABLE:
raise ModuleNotFoundError("Etopo1Access class cannot be initiated. "
"Please install netCDF4 library first")
self._local_path = LOCAL_TOPO_DIR
self._file_name = "ETOPO1_Ice_g_gmt4.grd"
from netCDF4 import Dataset
self.loader = Dataset
if file_name is not None:
self.file_name = file_name
if not os.path.exists(self.file_path) and search_database:
self.search_topo_file_database()
# check if file exists
if check_access:
if not os.path.exists(self.file_path):
raise TopoAccessError('File {} could not be found in local '
'topo directory: {}'.format(self.file_name,
self.local_path))
elif not self.check_access():
raise TopoAccessError('Failed to extract topography data for '
'Etopo dataset')
@property
def local_path(self):
"""Directory containing ETOPO1 gridded data files"""
return self._local_path
@local_path.setter
def local_path(self, val):
if not os.path.exists(val) or not os.path.isdir(val):
raise ValueError(f'Input directory {val} does not exist or is not '
f'a directory...')
self._check_topo_path(val)
self._local_path = val
@property
def file_name(self):
"""File name of topographic dataset used"""
return self._file_name
@file_name.setter
def file_name(self, val):
if not val in self.supported_topo_files:
raise ValueError(
f'Invalid file name for Etopo1 dataset {val}. Valid filenames '
f'are: {self.supported_topo_files}')
self._file_name = val
@property
def file_path(self):
"""Return full file path of current topography file"""
return os.path.join(self.local_path, self.file_name)
@file_path.setter
def file_path(self, val):
self.set_file_location(val)
def _check_topo_path(self, path):
"""Check if path exists and if it is already included in database
Parameters
----------
path : str
path to be checked
"""
from geonum.helpers import check_and_add_topodir
check_and_add_topodir(path)
def _get_all_local_topo_paths(self):
"""Get all search paths for topography files"""
from geonum.helpers import all_topodata_search_dirs
return all_topodata_search_dirs()
def _search_topo_file(self, path=None):
"""Checks if a valid etopo data file can be found in local folder
Searches in ``self.local_path`` for any of the file names specified
in ``supported_topo_files``
"""
if path is None:
path = self.local_path
print(f'Searching valid topo file in folder: {path}')
fnames = os.listdir(path)
for name in fnames:
if name in self.supported_topo_files:
self.file_name = name
self.local_path = path
print(("Found match, setting current filepath: %s"
%self.file_path))
return True
return False
def _find_supported_files(self):
"""Look for all supported files in ``self.local_path```and return list"""
files = os.listdir(self.local_path)
lst = []
for name in files:
if name in self.supported_topo_files:
lst.append(name)
return lst
def search_topo_file_database(self):
"""Checks if a valid topo file can be found in database"""
all_paths = self._get_all_local_topo_paths()
for path in all_paths:
if self._search_topo_file(path):
return True
return False
def set_file_location(self, full_path):
"""Set the full file path of a topography data file
Parameters
----------
full_path : str
full file path of topography file
Raises
------
TopoAccessError
if filepath does not exist or if the provided file is not
supported by this interface.
"""
if not os.path.exists(full_path):
raise TopoAccessError('Input file location %s does not exist'
.format(full_path))
_dir = os.path.dirname(full_path)
_f = os.path.basename(full_path)
if not _f in self.supported_topo_files:
raise TopoAccessError('Invalid topography data file name, please '
'use either of the supported files from the '
'Etopo1 data set: {}'
.format(self.supported_topo_files))
self.local_path = _dir
self.file_name = _f
if not os.path.basename(full_path) in self.supported_topo_files:
raise TopoAccessError("Invalid topography data file, please use "
"one of the supported files from the Etopo1 data set\n%s"
%self.supported_topo_files)
self.local_path = os.path.dirname(full_path)
self.file_name = os.path.basename(full_path)
def get_data(self, lat0, lon0, lat1=None, lon1=None):
"""Retrieve data from topography file
Parameters
----------
lat0 : float
first latitude coordinate of topographic range (lower left coord)
lon0 : float
first longitude coordinate of topographic range (lower left coord)
lat1 : int or float, optional
second latitude coordinate of topographic range (upper right
coord). If None only data around lon0, lat0 will be extracted.
lon1 : int or float, optional
second longitude coordinate of topographic range (upper right
coord). If None only data around lon0, lat0 will be extracted.
Returns
-------
TopoData
instance of TopoData class
"""
from geonum import TopoData
etopo1 = self.loader(self.file_path)
lons = etopo1.variables["x"][:]
lats = etopo1.variables["y"][:]
lats, lons, idx_lats, idx_lons = self._init_lons_lats(lats, lons, lat0,
lon0, lat1, lon1)
vals = np.asarray(etopo1.variables["z"][idx_lats[0] : idx_lats[1] + 1,
idx_lons[0] : idx_lons[1] + 1],
dtype = float)
etopo1.close()
return TopoData(lats, lons, vals, data_id=self.topo_id)
class SRTMAccess(TopoAccessBase):
"""Class for SRTM topographic data access
Uses library `srtm.py <https://pypi.python.org/pypi/SRTM.py/0.3.1>`_
for online access of data.
Note
----
:mod:`srtm.py` downloads the topo data from `this source <http://
dds.cr.usgs.gov/srtm/version2_1/>`_ and stores a copy of the unzipped data
files in the current cache directory found in home.
Whenever data access is requested, the :mod:`srtm.py` checks if the file
already exists on the local machine and if not downloads it online. The
online access is rather slow, so do not be surprised, if things take a
while when accessing a specific location for the first time.
**Deleting cached SRTM files**:
use :func:`geonum.topoaccess.delete_all_local_srtm_files`
Parameters
----------
check_access : bool
check if data can be accessed on class initialisation
**kwargs
additional keyword arguments that are passed through (irrelevant for
this class but relevant for factory loader class
:class:`TopoDataAccess`, particularly :func:`set_mode` therein.
"""
def __init__(self, check_access=False, **kwargs):
"""Class initialisation"""
self.loader = srtm
self.topo_id = "srtm"
if check_access:
self.check_access()
def _coordinate_covered(self, access_obj, lat, lon):
"""Checks if SRTM data is available for input coordinate
Parameters
----------
access_obj : GeoElevationData
data access object from :mod:`srtm.py` module
(can be created calling ``srtm.get_data()``)
lat : float
latitude of point
lon : float
longitude of point
Returns
-------
bool
True, if SRTM data is available for coordinate, else False.
"""
if access_obj.get_file_name(lat, lon) is None:
return False
return True
def get_data(self, lat0, lon0, lat1=None, lon1=None):
"""Load SRTM topographic subset for input range
Parameters
----------
lat0 : float
first latitude coordinate of topographic range (lower left coord)
lon0 : float
first longitude coordinate of topographic range (lower left coord)
lat1 : int or float, optional
second latitude coordinate of topographic range (upper right
coord). If None only data around lon0, lat0 will be extracted.
lon1 : int or float, optional
second longitude coordinate of topographic range (upper right
coord). If None only data around lon0, lat0 will be extracted.
Returns
-------
TopoData
instance of TopoData class
"""
from geonum import TopoData
print("Retrieving SRTM data (this might take a while) ... ")
# create GeoElevationData object for data access
dat = self.loader.get_data()
# check if second input point is specified and set equal first point if
# not
if any([x is None for x in [lat1, lon1]]):
lat1, lon1 = lat0, lon0
# Check if first point is covered by dataset
if not self._coordinate_covered(dat, lat0, lon0):
raise SRTMNotCoveredError('Point (lat={:.2f}, lon={:.2f}) not '
'covered by SRTM'.format(lat0, lon0))
# check if second point is covered by dataset
if not self._coordinate_covered(dat, lat1, lon1):
raise SRTMNotCoveredError('Endpoint coordinate (lat={:.2f}, '
'lon={:.2f}) not covered by SRTM'
.format(lat1, lon1))
# prepare borders of covered lon / lat regime
lat_ll, lon_ll, lat_tr,lon_tr = self._prep_borders(lat0, lon0,
lat1, lon1)
# get SRTM file for lower left corner of regime
f_ll = dat.get_file(lat_ll, lon_ll)
# get SRTM file for top right corner of regime
f_tr = dat.get_file(lat_tr, lon_tr)
# create array of longitude values for regime
lons_all = np.linspace(f_ll.longitude, f_tr.longitude + 1,
f_ll.square_side)
# create array of latitude values for regime
lats_all = np.linspace(f_ll.latitude, f_tr.latitude + 1,
f_ll.square_side)
#prepare coordinates
lats, lons, _, _= self._init_lons_lats(lats_all, lons_all,
lat0, lon0, lat1, lon1)
# Init data array
vals = np.ones((len(lats), len(lons))) * np.nan
#loop over all coordinates and try access the elevation data
for i in range(len(lats)):
for j in range(len(lons)):
#print "Lat: %s, Lon: %s" % (lats[i], lons[j])
vals[i, j] = dat.get_elevation(lats[i], lons[j])
return TopoData(lats, lons, vals, data_id=self.topo_id)
def delete_all_local_srtm_files():
"""Deletes all locally stored SRTM files"""
import glob
from srtm.utils import FileHandler
fh = FileHandler()
for file in glob.glob(f'{fh.local_cache_dir}/*.hgt'):
print('Deleting SRTM data file at {}'.format(file))
os.remove(file)
if __name__ == '__main__':
delete_all_local_srtm_files()
ecc = Etopo1Access()
|
We, assessor for railway vehicles and maglev systems accredited by the the EBA (German federal railway authority), also a recognized qualified authority in accordance with BOStrab, prepare the expert's valuation that you need for your safety proof.
We, specialist for railway vehicles and maglev systems accredited by the the EBA (German federal railway authority), provide you with the expert opinion that you need for your safety proof.
Our Team is specialized to assist you in testing and validation of your vehicles, components or software. We carry out the validation of vehicle and its safety functions locally on your vehicle or in our modern test laboratory.
Our long time international experience guarantees you, as a manufacturer or a railway operator, an optimum organisation and handling of complex homologation procedures. We as an accredited compliance evalutation assessment body for locomotives control coaches and multiple units, are at your disposal for the homologation of your rolling stock.
We are your partner for successful homologation!
Due to our knowledge of various RAMS methods and our practical experience, we can offer you an optimum support in furnishing safety proofs. In addition, we will assist you profoundly during the whole processes of the CSM as an independent assessment body.
You will profit from our European know how!
Our experts will provide you with the highest quality support in analysing accidents related to railway engineering and drafting expert assessments. We already support state and federal authorities in Germany every day in such matters with our know how of railway engineering.
Discretion and professionalism are always guaranteed.
|
#!/usr/bin/python3
"""
Given an array A of integers, return the number of (contiguous, non-empty)
subarrays that have a sum divisible by K.
Example 1:
Input: A = [4,5,0,-2,-3,1], K = 5
Output: 7
Explanation: There are 7 subarrays with a sum divisible by K = 5:
[4, 5, 0, -2, -3, 1], [5], [5, 0], [5, 0, -2, -3], [0], [0, -2, -3], [-2, -3]
Note:
1 <= A.length <= 30000
-10000 <= A[i] <= 10000
2 <= K <= 10000
"""
from typing import List
from collections import defaultdict
class Solution:
def subarraysDivByK_2(self, A: List[int], K: int) -> int:
"""
count the prefix sum mod K
nC2
"""
prefix_sum = 0
counter = defaultdict(int)
counter[0] = 1 # important trival case
for a in A:
prefix_sum += a
prefix_sum %= K
counter[prefix_sum] += 1
ret = 0
for v in counter.values():
ret += v * (v-1) // 2
return ret
def subarraysDivByK(self, A: List[int], K: int) -> int:
"""
Prefix sum
O(N^2)
How to optimize?
Mapping to prefix sum to count
Divide: Translate divisible by K into mod.
prefix sum has to be MOD by K.
"""
prefix_sum = 0
counter = defaultdict(int)
counter[0] = 1 # trival case. !important
ret = 0
for a in A:
prefix_sum += a
prefix_sum %= K
ret += counter[prefix_sum] # count of previously matching prefix sum
counter[prefix_sum] += 1
return ret
|
"The Eloquent Peasant" is thought to have been written around the same time as "The Tale of Sinuhe", about the middle of Egypt's Twelfth Dynasty of the Middle Kingdom. But this narrows its author down only to a couple of generations on either side of 1878 BCE.
Moreover, versions of the story may have been told in the centuries before that. The events depicted are supposed to have taken place in the Ninth and Tenth dynasties, possibly putting the work's origins back before 2025 BCE. On the other hand, some scholars claim to find evidence that dates composition to much later— in the Thirteenth Dynasty, well into the 1700s BCE.
But the copies do not always agree in their overlapping sections. Proper names for people and places in the story often differ among the versions.
One thing we can guess with some assurance is that the author—if there was a single author—was a member of the affluent, educated class. Not only would someone from the poor classes be too illiterate to set the story down in hieroglyphics, but he would be ignorant of the fine intellectual points discussed by the "eloquent peasant" of the story.
In the Middle Kingdom the Egytian ruling classes and their functionaries revelled in literature and rhetoric (the art of persuasive speaking). "The Eloquent Peasant" would have been a great entertainment for them, as well as would have expressed the ideals that were meant to guide their lives.
|
import contextlib
import typing
from uuid import UUID, uuid4
from robot_server.robot.calibration.constants import (
TIP_RACK_LOOKUP_BY_MAX_VOL,
SHORT_TRASH_DECK,
STANDARD_DECK
)
from robot_server.robot.calibration.errors import CalibrationError
from robot_server.robot.calibration.helper_classes import PipetteInfo, \
PipetteRank, LabwareInfo, Moves, CheckMove
from opentrons.config import feature_flags as ff
from opentrons.hardware_control import ThreadManager, Pipette, CriticalPoint
from opentrons.hardware_control.util import plan_arc
from opentrons.protocol_api import labware
from opentrons.protocols.geometry import deck, planning
from opentrons.types import Mount, Point, Location
from robot_server.service.errors import RobotServerError
from .util import save_default_pick_up_current
class SessionManager:
"""Small wrapper to keep track of robot calibration sessions created."""
def __init__(self):
self._sessions = {}
@property
def sessions(self):
return self._sessions
# vector from front bottom left of slot 12
HEIGHT_SAFETY_BUFFER = Point(0, 0, 5.0)
class CalibrationSession:
"""Class that controls state of the current robot calibration session"""
def __init__(self, hardware: ThreadManager,
lights_on_before: bool = False):
self._hardware = hardware
self._lights_on_before = lights_on_before
deck_load_name = SHORT_TRASH_DECK if ff.short_fixed_trash() \
else STANDARD_DECK
self._deck = deck.Deck(load_name=deck_load_name)
self._pip_info_by_mount = self._get_pip_info_by_mount(
hardware.get_attached_instruments())
self._labware_info = self._determine_required_labware()
self._moves = self._build_deck_moves()
@classmethod
async def build(cls, hardware: ThreadManager):
lights_on = hardware.get_lights()['rails']
await hardware.cache_instruments()
await hardware.set_lights(rails=True)
await hardware.home()
return cls(hardware=hardware, lights_on_before=lights_on)
@staticmethod
def _get_pip_info_by_mount(
new_pipettes: typing.Dict[Mount, Pipette.DictType]) \
-> typing.Dict[Mount, PipetteInfo]:
pip_info_by_mount = {}
attached_pips = {m: p for m, p in new_pipettes.items() if p}
num_pips = len(attached_pips)
if num_pips > 0:
for mount, data in attached_pips.items():
if data:
rank = PipetteRank.first
if num_pips == 2 and mount == Mount.LEFT:
rank = PipetteRank.second
cp = None
if data['channels'] == 8:
cp = CriticalPoint.FRONT_NOZZLE
pip_info_by_mount[mount] = PipetteInfo(tiprack_id=None,
critical_point=cp,
rank=rank,
mount=mount)
return pip_info_by_mount
else:
raise RobotServerError(
definition=CalibrationError.NO_PIPETTE_ATTACHED,
flow='calibration check')
def _determine_required_labware(self) -> typing.Dict[UUID, LabwareInfo]:
"""
A function that inserts tiprack information into two dataclasses
:py:class:`.LabwareInfo` and :py:class:`.LabwareDefinition` based
on the current pipettes attached.
"""
lw: typing.Dict[UUID, LabwareInfo] = {}
_prev_lw_uuid: typing.Optional[UUID] = None
for mount, pip_info in self._pip_info_by_mount.items():
load_name: str = self._load_name_for_mount(mount)
prev_lw = lw.get(_prev_lw_uuid, None) if _prev_lw_uuid else None
if _prev_lw_uuid and prev_lw and prev_lw.loadName == load_name:
# pipette uses same tiprack as previous, use existing
lw[_prev_lw_uuid].forMounts.append(mount)
self._pip_info_by_mount[mount].tiprack_id = _prev_lw_uuid
else:
lw_def = labware.get_labware_definition(load_name)
new_uuid: UUID = uuid4()
_prev_lw_uuid = new_uuid
slot = self._get_tip_rack_slot_for_mount(mount)
lw[new_uuid] = LabwareInfo(
alternatives=self._alt_load_names_for_mount(mount),
forMounts=[mount],
loadName=load_name,
slot=slot,
namespace=lw_def['namespace'],
version=lw_def['version'],
id=new_uuid,
definition=lw_def)
self._pip_info_by_mount[mount].tiprack_id = new_uuid
return lw
def _alt_load_names_for_mount(self, mount: Mount) -> typing.List[str]:
pip_vol = self.pipettes[mount]['max_volume']
return list(TIP_RACK_LOOKUP_BY_MAX_VOL[str(pip_vol)].alternatives)
def _load_name_for_mount(self, mount: Mount) -> str:
pip_vol = self.pipettes[mount]['max_volume']
return TIP_RACK_LOOKUP_BY_MAX_VOL[str(pip_vol)].load_name
def _build_deck_moves(self) -> Moves:
return Moves(
joggingFirstPipetteToHeight=self._build_height_dict('5'),
joggingFirstPipetteToPointOne=self._build_cross_dict('1BLC'),
joggingFirstPipetteToPointTwo=self._build_cross_dict('3BRC'),
joggingFirstPipetteToPointThree=self._build_cross_dict('7TLC'),
joggingSecondPipetteToHeight=self._build_height_dict('5'),
joggingSecondPipetteToPointOne=self._build_cross_dict('1BLC'))
def _build_cross_dict(self, pos_id: str) -> CheckMove:
cross_coords = self._deck.get_calibration_position(pos_id).position
return CheckMove(position=Point(*cross_coords), locationId=uuid4())
def _build_height_dict(self, slot: str) -> CheckMove:
pos = self._deck.get_slot_center(slot)
ydim: float\
= self._deck.get_slot_definition(slot)['boundingBox']['yDimension']
# shift down to 10mm +y of the slot edge to both stay clear of the
# slot boundary, avoid the engraved slot number, and avoid the
# tiprack colliding if this is a multi
updated_pos = pos - Point(0, (ydim/2)-10, pos.z) + HEIGHT_SAFETY_BUFFER
return CheckMove(position=updated_pos, locationId=uuid4())
def _get_tip_rack_slot_for_mount(self, mount) -> str:
if len(self._pip_info_by_mount) == 2:
shared_tiprack = self._load_name_for_mount(Mount.LEFT) == \
self._load_name_for_mount(Mount.RIGHT)
if mount == Mount.LEFT and not shared_tiprack:
return '6'
else:
return '8'
else:
return '8'
async def _jog(self, mount: Mount, vector: Point):
"""
General function that can be used by all session types to jog around
a specified pipette.
"""
await self.hardware.move_rel(mount, vector)
async def _pick_up_tip(self, mount: Mount):
pip_info = self._pip_info_by_mount[mount]
instr = self._hardware._attached_instruments[mount]
if pip_info.tiprack_id:
lw_info = self.get_tiprack(pip_info.tiprack_id)
# Note: ABC DeckItem cannot have tiplength b/c of
# mod geometry contexts. Ignore type checking error here.
tiprack = self._deck[lw_info.slot]
full_length = tiprack.tip_length # type: ignore
overlap_dict: typing.Dict =\
self.pipettes[mount]['tip_overlap'] # type: ignore
default = overlap_dict['default']
overlap = overlap_dict.get(
tiprack.uri, # type: ignore
default)
tip_length = full_length - overlap
else:
tip_length = self.pipettes[mount]['fallback_tip_length']
with contextlib.ExitStack() as stack:
if pip_info.critical_point:
# If the pipette we're picking up tip for
# has a critical point, we know it is a multichannel
stack.enter_context(save_default_pick_up_current(instr))
await self.hardware.pick_up_tip(mount, tip_length)
async def _trash_tip(self, mount: Mount):
trash_lw = self._deck.get_fixed_trash()
assert trash_lw
to_loc = trash_lw.wells()[0].top()
await self._move(mount, to_loc, CriticalPoint.XY_CENTER)
await self._drop_tip(mount)
async def _drop_tip(self, mount: Mount):
await self.hardware.drop_tip(mount)
async def cache_instruments(self):
await self.hardware.cache_instruments()
new_dict = self._get_pip_info_by_mount(
self.hardware.get_attached_instruments())
self._pip_info_by_mount.clear()
self._pip_info_by_mount.update(new_dict)
@property
def hardware(self) -> ThreadManager:
return self._hardware
def get_tiprack(self, uuid: UUID) -> LabwareInfo:
return self._labware_info[uuid]
@property
def pipettes(self) -> typing.Dict[Mount, Pipette.DictType]:
return self.hardware.attached_instruments
@property
def labware_status(self) -> typing.Dict[UUID, LabwareInfo]:
"""
Public property to help format the current labware status of a given
session for the client.
"""
return self._labware_info
async def _move(self,
mount: Mount,
to_loc: Location,
cp_override: CriticalPoint = None):
from_pt = await self.hardware.gantry_position(mount)
from_loc = Location(from_pt, None)
cp = cp_override or self._pip_info_by_mount[mount].critical_point
max_height = self.hardware.get_instrument_max_height(mount)
safe = planning.safe_height(
from_loc, to_loc, self._deck, max_height)
moves = plan_arc(from_pt, to_loc.point, safe,
origin_cp=None,
dest_cp=cp)
for move in moves:
await self.hardware.move_to(
mount, move[0], critical_point=move[1])
|
Services | NOBIS Asset Management S.A.
As an independent asset management firm based in Luxembourg, we work closely with you to develop tailored strategies and concepts for the management of your assets.
Our management strategies were designed to achieve the perfect composition for your portfolio. Increasing your profitability while ensuring stability is always at the heart of our advisory service and in these unstable times marked by volatile capital markets, it is more important than ever.
Our clients benefits from our solid foundation in extensive, independent and up-to-date research. Our portfolio optimisation and selection of choice investments ensure that we achieve your individual investment objectives.
You can choose from a range of options for our collaboration: We can handle your entire asset management under a mandate. Or you can take advantage of our advisory services and draw on our experience to reach the best investment decisions and implement these in the best possible way.
Our profound know-how allows us to prepare a diverse and independent offer of suitable investment solutions - from shares and certificates through investment funds and corporate bonds to convertible bonds and foreign currency bonds.
|
"""
SlipStream Client
=====
Copyright (C) 2015 SixSq Sarl (sixsq.com)
=====
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.
"""
import time
import slipstream.util as util
import slipstream.exceptions.Exceptions as Exceptions
from slipstream.util import override
from slipstream.cloudconnectors.BaseCloudConnector import BaseCloudConnector
from slipstream.utils.ssh import generate_keypair
from slipstream.UserInfo import UserInfo
from slipstream.ConfigHolder import ConfigHolder
import os
import xmlrpclib
import ssl
import urllib
import re
import base64
try:
import xml.etree.cElementTree as eTree # c-version, faster
except ImportError:
import xml.etree.ElementTree as eTree # python version
def getConnector(config_holder):
return getConnectorClass()(config_holder)
def getConnectorClass():
return OpenNebulaClientCloud
def searchInObjectList(list_, property_name, property_value):
for element in list_:
if isinstance(element, dict):
if element.get(property_name) == property_value:
return element
else:
if getattr(element, property_name) == property_value:
return element
return None
def instantiate_from_cimi(cimi_connector, cimi_cloud_credential):
user_info = UserInfo(cimi_connector['instanceName'])
cloud_params = {
UserInfo.CLOUD_USERNAME_KEY: cimi_cloud_credential['key'],
UserInfo.CLOUD_PASSWORD_KEY: cimi_cloud_credential['secret'],
'endpoint': cimi_connector.get('endpoint')
}
user_info.set_cloud_params(cloud_params)
config_holder = ConfigHolder(options={'verboseLevel': 0, 'retry': False})
os.environ['SLIPSTREAM_CONNECTOR_INSTANCE'] = cimi_connector['instanceName']
connector_instance = OpenNebulaClientCloud(config_holder)
connector_instance._initialization(user_info)
return connector_instance
class OpenNebulaClientCloud(BaseCloudConnector):
VM_STATE = [
'Init', # 0
'Pending', # 1
'Hold', # 2
'Active', # 3
'Stopped', # 4
'Suspended', # 5
'Done', # 6
'//Failed', # 7
'Poweroff', # 8
'Undeployed' # 9
]
VM_LCM_STATE = [
'Lcm init', # 0
'Prolog', # 1
'Boot', # 2
'Running', # 3
'Migrate', # 4
'Save stop', # 5
'Save suspend', # 6
'Save migrate', # 7
'Prolog migrate', # 8
'Prolog resume', # 9
'Epilog stop', # 10
'Epilog', # 11
'Shutdown', # 12
'//Cancel', # 13
'//Failure', # 14
'Cleanup resubmit', # 15
'Unknown', # 16
'Hotplug', # 17
'Shutdown poweroff', # 18
'Boot unknown', # 19
'Boot poweroff', # 20
'Boot suspended', # 21
'Boot stopped', # 22
'Cleanup delete', # 23
'Hotplug snapshot', # 24
'Hotplug nic', # 25
'Hotplug saveas', # 26
'Hotplug saveas poweroff', # 27
'Hotplug saveas suspended', # 28
'Shutdown undeploy', # 29
'Epilog undeploy', # 30
'Prolog undeploy', # 31
'Boot undeploy', # 32
'Hotplug prolog poweroff', # 33
'Hotplug epilog poweroff', # 34
'Boot migrate', # 35
'Boot failure', # 36
'Boot migrate failure', # 37
'Prolog migrate failure', # 38
'Prolog failure', # 39
'Epilog failure', # 40
'Epilog stop failure', # 41
'Epilog undeploy failure', # 42
'Prolog migrate poweroff', # 43
'Prolog migrate poweroff failure', # 44
'Prolog migrate suspend', # 45
'Prolog migrate suspend failure', # 46
'Boot undeploy failure', # 47
'Boot stopped failure', # 48
'Prolog resume failure', # 49
'Prolog undeploy failure', # 50
'Disk snapshot poweroff', # 51
'Disk snapshot revert poweroff', # 52
'Disk snapshot delete poweroff', # 53
'Disk snapshot suspended', # 54
'Disk snapshot revert suspended', # 55
'Disk snapshot delete suspended', # 56
'Disk snapshot', # 57
'Disk snapshot revert', # 58
'Disk snapshot delete', # 59
'Prolog migrate unknown', # 60
'Prolog migrate unknown failure' # 61
]
IMAGE_STATE = [
'Init', # 0
'Ready', # 1
'Used', # 2
'Disabled', # 3
'Locked', # 4
'Error', # 5
'Clone', # 6
'Delete', # 7
'Used_pers' # 8
]
def _resize(self, node_instance):
raise Exceptions.ExecutionException(
'{0} doesn\'t implement resize feature.'.format(self.__class__.__name__))
def _detach_disk(self, node_instance):
raise Exceptions.ExecutionException(
'{0} doesn\'t implement detach disk feature.'.format(self.__class__.__name__))
def _attach_disk(self, node_instance):
raise Exceptions.ExecutionException(
'{0} doesn\'t implement attach disk feature.'.format(self.__class__.__name__))
cloudName = 'opennebula'
def __init__(self, config_holder):
super(OpenNebulaClientCloud, self).__init__(config_holder)
self._set_capabilities(contextualization=True,
direct_ip_assignment=True,
orchestrator_can_kill_itself_or_its_vapp=True)
self.user_info = None
def _rpc_execute(self, command, *args):
proxy = self._create_rpc_connection()
remote_function = getattr(proxy, command)
success, output_or_error_msg, err_code = \
remote_function(self._create_session_string(), *args)
if not success:
raise Exceptions.ExecutionException(output_or_error_msg)
return output_or_error_msg
@override
def _initialization(self, user_info, **kwargs):
util.printStep('Initialize the OpenNebula connector.')
self.user_info = user_info
if self.is_build_image():
self.tmp_private_key, self.tmp_public_key = generate_keypair()
self.user_info.set_private_key(self.tmp_private_key)
def format_instance_name(self, name):
new_name = self.remove_bad_char_in_instance_name(name)
return self.truncate_instance_name(new_name)
@staticmethod
def truncate_instance_name(name):
if len(name) <= 128:
return name
else:
return name[:63] + '-' + name[-63:]
@staticmethod
def remove_bad_char_in_instance_name(name):
return re.sub('[^a-zA-Z0-9-]', '', name)
def _set_instance_name(self, vm_name):
return 'NAME = {0}'.format(self.format_instance_name(vm_name))
def _set_disks(self, image_id, disk_size_gb):
try:
img_id = int(image_id)
except:
raise Exception('Something is wrong with image ID : {0}!'.format(image_id))
disk = 'IMAGE_ID = {0:d}'.format(img_id)
if disk_size_gb is None:
return 'DISK = [ {} ]'.format(disk)
else:
try:
disk_size_mb = int(float(disk_size_gb) * 1024)
except:
raise Exception('Something is wrong with root disk size : {0}!'.format(disk_size_gb))
return 'DISK = [ {0}, SIZE={1:d} ]'.format(disk, disk_size_mb)
def _set_additionnal_disks(self, disk_size_gb):
if disk_size_gb is None:
return ''
try:
disk_size_mb = int(float(disk_size_gb) * 1024)
except:
raise Exception('Something wrong with additionnal disk size : {0}!'.format(disk_size_gb))
return 'DISK = [ FORMAT = "ext4", SIZE="{0:d}", TYPE="fs", IO="native" ]'.format(disk_size_mb)
def _set_cpu(self, vm_vcpu, cpu_ratio):
try:
number_vcpu = int(vm_vcpu)
ratio = float(cpu_ratio)
except:
raise Exception('Something wrong with CPU size: cpu = {0} and cpu ratio = {1} !'.format(vm_vcpu, cpu_ratio))
return 'VCPU = {0:d} CPU = {1:f}'.format(number_vcpu, ratio)
def _set_ram(self, vm_ram_gbytes):
try:
ram = int(float(vm_ram_gbytes) * 1024)
except ValueError:
raise Exception('Something wrong with RAM size : {0}!'.format(vm_ram_gbytes))
return 'MEMORY = {0:d}'.format(ram)
def _set_nics(self, requested_network_type, public_network_id, private_network_id):
# extract mappings for Public and Private networks from the connector instance
if requested_network_type.upper() == 'PUBLIC':
try:
network_id = int(public_network_id)
except ValueError:
raise Exception('Something wrong with specified Public Network ID : {0}!'.format(public_network_id))
elif requested_network_type.upper() == 'PRIVATE':
try:
network_id = int(private_network_id)
except ValueError:
raise Exception('Something wrong with specified Private Network ID : {0}!'.format(private_network_id))
else:
return ''
return 'NIC = [ NETWORK_ID = {0:d}, MODEL = "virtio" ]'.format(network_id)
def _set_specific_nic(self, network_specific_name):
network_infos = network_specific_name.split(';')
nic = 'NETWORK = {0}, MODEL = "virtio"'.format(network_infos[0])
if len(network_infos) == 1:
return 'NIC = [ {} ]'.format(nic)
elif len(network_infos) == 2:
return 'NIC = [ {0}, NETWORK_UNAME = {1} ]'.format(nic, network_infos[1])
else:
raise Exception('Something wrong with specified Network name : {0}!'.format(network_specific_name))
def _set_contextualization(self, contextualization_type, public_ssh_key, contextualization_script):
if contextualization_type != 'cloud-init':
return 'CONTEXT = [ NETWORK = "YES", SSH_PUBLIC_KEY = "{0}", ' \
'START_SCRIPT_BASE64 = "{1}"]'.format(public_ssh_key, base64.b64encode(contextualization_script))
else:
return 'CONTEXT = [ PUBLIC_IP = "$NIC[IP]", SSH_PUBLIC_KEY = "{0}", USERDATA_ENCODING = "base64", ' \
'USER_DATA = "{1}"]'.format(public_ssh_key, base64.b64encode(contextualization_script))
@override
def _start_image(self, user_info, node_instance, vm_name):
return self._start_image_on_opennebula(user_info, node_instance, vm_name)
def _start_image_on_opennebula(self, user_info, node_instance, vm_name):
instance_name = self._set_instance_name(vm_name)
ram = self._set_ram(node_instance.get_ram())
cpu = self._set_cpu(node_instance.get_cpu(), user_info.get_cloud('cpuRatio'))
disks = self._set_disks(node_instance.get_image_id(), node_instance.get_root_disk_size())
additionnal_disks = self._set_additionnal_disks(node_instance.get_volatile_extra_disk_size())
try:
network_specific_name = node_instance.get_cloud_parameter('network.specific.name').strip()
except:
network_specific_name = ''
if network_specific_name:
nics = self._set_specific_nic(network_specific_name)
else:
nics = self._set_nics(node_instance.get_network_type(),
user_info.get_public_network_name(),
user_info.get_private_network_name())
if self.is_build_image():
context = self._set_contextualization(node_instance.get_cloud_parameter('contextualization.type'),
self.tmp_public_key, '')
else:
context = self._set_contextualization(node_instance.get_cloud_parameter('contextualization.type'),
self.user_info.get_public_keys(),
self._get_bootstrap_script(node_instance))
custom_vm_template = node_instance.get_cloud_parameter('custom.vm.template') or ''
template = ' '.join([instance_name, cpu, ram, disks, additionnal_disks, nics, context, custom_vm_template])
vm_id = self._rpc_execute('one.vm.allocate', template, False)
vm = self._rpc_execute('one.vm.info', vm_id)
return eTree.fromstring(vm)
@override
def list_instances(self):
vms = eTree.fromstring(self._rpc_execute('one.vmpool.info', -3, -1, -1, -1))
return vms.findall('VM')
@override
def _stop_deployment(self):
for _, vm in self.get_vms().items():
self._rpc_execute('one.vm.action', 'delete', int(vm.findtext('ID')))
@override
def _stop_vms_by_ids(self, ids):
for _id in map(int, ids):
self._rpc_execute('one.vm.action', 'delete', _id)
@override
def _build_image(self, user_info, node_instance):
return self._build_image_on_opennebula(user_info, node_instance)
def _build_image_on_opennebula(self, user_info, node_instance):
listener = self._get_listener()
machine_name = node_instance.get_name()
vm = self._get_vm(machine_name)
ip_address = self._vm_get_ip(vm)
vm_id = int(self._vm_get_id(vm))
self._wait_vm_in_state(vm_id, 'Active', time_out=300, time_sleep=10)
self._build_image_increment(user_info, node_instance, ip_address)
util.printStep('Creation of the new Image.')
self._rpc_execute('one.vm.action', 'poweroff', vm_id)
self._wait_vm_in_state(vm_id, 'Poweroff', time_out=300, time_sleep=10)
listener.write_for(machine_name, 'Saving the image')
new_image_name = node_instance.get_image_short_name() + time.strftime("_%Y%m%d-%H%M%S")
new_image_id = int(self._rpc_execute(
'one.vm.disksaveas', vm_id, 0, new_image_name, '', -1))
self._wait_image_in_state(new_image_id, 'Ready', time_out=1800, time_sleep=30)
listener.write_for(machine_name, 'Image saved !')
self._rpc_execute('one.vm.action', 'resume', vm_id)
self._wait_vm_in_state(vm_id, 'Active', time_out=300, time_sleep=10)
return str(new_image_id)
def _get_vm_state(self, vm_id):
vm = self._rpc_execute('one.vm.info', vm_id)
return int(eTree.fromstring(vm).findtext('STATE'))
def _wait_vm_in_state(self, vm_id, state, time_out, time_sleep=30):
time_stop = time.time() + time_out
current_state = self._get_vm_state(vm_id)
while current_state != self.VM_STATE.index(state):
if time.time() > time_stop:
raise Exceptions.ExecutionException(
'Timed out while waiting VM {0} to enter in state {1}'.format(vm_id, state))
time.sleep(time_sleep)
current_state = self._get_vm_state(vm_id)
return current_state
def _get_image_state(self, image_id):
image = self._rpc_execute('one.image.info', image_id)
return int(eTree.fromstring(image).findtext('STATE'))
def _wait_image_in_state(self, image_id, state, time_out, time_sleep=30):
time_stop = time.time() + time_out
current_state = self._get_image_state(image_id)
while current_state != self.IMAGE_STATE.index(state):
if time.time() > time_stop:
raise Exceptions.ExecutionException(
'Timed out while waiting for image {0} to be in state {1}'.format(image_id, state))
time.sleep(time_sleep)
current_state = self._get_image_state(image_id)
return current_state
def _wait_image_not_in_state(self, image_id, state, time_out, time_sleep=30):
time_stop = time.time() + time_out
current_state = self._get_image_state(image_id)
while current_state == self.IMAGE_STATE.index(state):
if time.time() > time_stop:
raise Exceptions.ExecutionException(
'Timed out while waiting for image {0} to be in state {1}'.format(image_id, state))
time.sleep(time_sleep)
current_state = self._get_image_state(image_id)
return current_state
def _create_session_string(self):
quoted_username = urllib.quote(self.user_info.get_cloud_username(), '')
quoted_password = urllib.quote(self.user_info.get_cloud_password(), '')
return '{0}:{1}'.format(quoted_username, quoted_password)
def _create_rpc_connection(self):
protocol_separator = '://'
parts = self.user_info.get_cloud_endpoint().split(protocol_separator)
url = parts[0] + protocol_separator + self._create_session_string() \
+ "@" + ''.join(parts[1:])
no_certif_check = hasattr(ssl, '_create_unverified_context') and ssl._create_unverified_context() or None
try:
return xmlrpclib.ServerProxy(url, context=no_certif_check)
except TypeError:
return xmlrpclib.ServerProxy(url)
@override
def _vm_get_ip(self, vm):
return vm.findtext('TEMPLATE/NIC/IP')
@override
def _vm_get_id(self, vm):
return vm.findtext('ID')
@override
def _vm_get_state(self, vm):
vm_state = int(vm.findtext('STATE'))
if vm_state == OpenNebulaClientCloud.VM_STATE.index('Active'):
return OpenNebulaClientCloud.VM_LCM_STATE[int(vm.findtext('LCM_STATE'))]
return OpenNebulaClientCloud.VM_STATE[vm_state]
@override
def _vm_get_id_from_list_instances(self, vm):
return self._vm_get_id(vm)
@override
def _vm_get_ip_from_list_instances(self, vm_instance):
return self._vm_get_ip(vm_instance)
@override
def _vm_get_cpu(self, vm_instance):
return vm_instance.findtext('TEMPLATE/VCPU')
@override
def _vm_get_ram(self, vm_instance):
return vm_instance.findtext('TEMPLATE/MEMORY')
@override
def _vm_get_root_disk(self, vm_instance):
return format(int(vm_instance.findtext('TEMPLATE/DISK/SIZE')) / 1024.0, '.3f')
@override
def _vm_get_instance_type(self, vm_instance):
return vm_instance.findtext('USER_TEMPLATE/INSTANCE_TYPE')
|
At My 1st Years, we specialise in producing quality (and very cuddly!) personalised teddy bears and soft toys.
We have customised keepsake teddy bears for all occasions. We have special teddy bears for children of young age; from newborn babies to toddlers. Our personalised teddy bears act as the perfect gift for any occasion, such as birthdays or as christening gifts.
You can also personalise your chosen teddy bear with whatever text you like! You can choose the colour, the font and the jumper of the teddy bear – making your baby teddy bear gift that extra bit special.
Each of our personalised teddies comes with a jumper in order to dress the bear in the most personal way. Also, our teddy bears arrive gift wrapped in one of our luxury gift boxes.
My 1st Years aim to provide you with high quality presents and gifts for babies, such as our personalised teddy bears – always ensuring prices are affordable.
Be sure to also view our baby gifts for boys and baby gifts for girls too.
At My 1st Years, we want to make your gift as unique as possible and that is why all our gifts across the site come with FREE personalisation! You can customise your teddy bear at the product page by adding a personal message or even your baby’s name.
With a variety of colours and fonts available you can guarantee your personalised teddy bear will be one of a kind for your special little one. Oh, and all of our personalised teddy bears come with our superb Free Gift Box!
|
"""
SoftLayer.CLI.core
~~~~~~~~~~~~~~~~~~
Core for the SoftLayer CLI
:license: MIT, see LICENSE for more details.
"""
from __future__ import print_function
import logging
import os
import sys
import time
import types
import click
import SoftLayer
from SoftLayer.CLI import environment
from SoftLayer.CLI import exceptions
from SoftLayer.CLI import formatting
from SoftLayer import consts
# pylint: disable=too-many-public-methods, broad-except, unused-argument
# pylint: disable=redefined-builtin, super-init-not-called
START_TIME = time.time()
DEBUG_LOGGING_MAP = {
0: logging.CRITICAL,
1: logging.WARNING,
2: logging.INFO,
3: logging.DEBUG
}
VALID_FORMATS = ['table', 'raw', 'json']
DEFAULT_FORMAT = 'raw'
if sys.stdout.isatty():
DEFAULT_FORMAT = 'table'
class CommandLoader(click.MultiCommand):
"""Loads module for click."""
def __init__(self, *path, **attrs):
click.MultiCommand.__init__(self, **attrs)
self.path = path
def list_commands(self, ctx):
"""List all sub-commands."""
env = ctx.ensure_object(environment.Environment)
env.load()
return sorted(env.list_commands(*self.path))
def get_command(self, ctx, name):
"""Get command for click."""
env = ctx.ensure_object(environment.Environment)
env.load()
# Do alias lookup (only available for root commands)
if len(self.path) == 0:
name = env.resolve_alias(name)
new_path = list(self.path)
new_path.append(name)
module = env.get_command(*new_path)
if isinstance(module, types.ModuleType):
return CommandLoader(*new_path, help=module.__doc__ or '')
else:
return module
@click.group(help="SoftLayer Command-line Client",
epilog="""To use most commands your SoftLayer
username and api_key need to be configured. The easiest way to do that is to
use: 'slcli setup'""",
cls=CommandLoader,
context_settings={'help_option_names': ['-h', '--help'],
'auto_envvar_prefix': 'SLCLI'})
@click.option('--format',
default=DEFAULT_FORMAT,
show_default=True,
help="Output format",
type=click.Choice(VALID_FORMATS))
@click.option('--config', '-C',
required=False,
default=click.get_app_dir('softlayer', force_posix=True),
show_default=True,
help="Config file location",
type=click.Path(resolve_path=True))
@click.option('--verbose', '-v',
help="Sets the debug noise level, specify multiple times "
"for more verbosity.",
type=click.IntRange(0, 3, clamp=True),
count=True)
@click.option('--proxy',
required=False,
help="HTTP[S] proxy to be use to make API calls")
@click.option('--really / --not-really', '-y',
is_flag=True,
required=False,
help="Confirm all prompt actions")
@click.option('--demo / --no-demo',
is_flag=True,
required=False,
help="Use demo data instead of actually making API calls")
@click.version_option(prog_name="slcli (SoftLayer Command-line)")
@environment.pass_env
def cli(env,
format='table',
config=None,
verbose=0,
proxy=None,
really=False,
demo=False,
**kwargs):
"""Main click CLI entry-point."""
if verbose > 0:
logger = logging.getLogger()
logger.addHandler(logging.StreamHandler())
logger.setLevel(DEBUG_LOGGING_MAP.get(verbose, logging.DEBUG))
# Populate environement with client and set it as the context object
env.skip_confirmations = really
env.config_file = config
env.format = format
env.ensure_client(config_file=config, is_demo=demo, proxy=proxy)
env.vars['_start'] = time.time()
env.vars['_timings'] = SoftLayer.TimingTransport(env.client.transport)
env.client.transport = env.vars['_timings']
@cli.resultcallback()
@environment.pass_env
def output_diagnostics(env, verbose=0, **kwargs):
"""Output diagnostic information."""
if verbose > 0:
diagnostic_table = formatting.Table(['name', 'value'])
diagnostic_table.add_row(['execution_time',
'%fs' % (time.time() - START_TIME)])
api_call_value = []
for call, _, duration in env.vars['_timings'].get_last_calls():
api_call_value.append(
"%s::%s (%fs)" % (call.service, call.method, duration))
diagnostic_table.add_row(['api_calls', api_call_value])
diagnostic_table.add_row(['version', consts.USER_AGENT])
diagnostic_table.add_row(['python_version', sys.version])
diagnostic_table.add_row(['library_location',
os.path.dirname(SoftLayer.__file__)])
env.err(env.fmt(diagnostic_table))
def main(reraise_exceptions=False, **kwargs):
"""Main program. Catches several common errors and displays them nicely."""
exit_status = 0
try:
cli.main(**kwargs)
except SoftLayer.SoftLayerAPIError as ex:
if 'invalid api token' in ex.faultString.lower():
print("Authentication Failed: To update your credentials,"
" use 'slcli config setup'")
exit_status = 1
else:
print(str(ex))
exit_status = 1
except SoftLayer.SoftLayerError as ex:
print(str(ex))
exit_status = 1
except exceptions.CLIAbort as ex:
print(str(ex.message))
exit_status = ex.code
except Exception:
if reraise_exceptions:
raise
import traceback
print("An unexpected error has occured:")
print(str(traceback.format_exc()))
print("Feel free to report this error as it is likely a bug:")
print(" https://github.com/softlayer/softlayer-python/issues")
exit_status = 1
sys.exit(exit_status)
if __name__ == '__main__':
main()
|
Observing life through Sophia’s 3-year-old perspective is quite an experience. This is one of my favorite pictures of her, because she seems so “in the moment” even though you can only see her feet. For those unfamiliar with the Nelson, the last photo of her clearly reveals her location!
Sophia loves to dance. Constantly in motion, she seemed inspired by the Rozelle Court fountain, as she did the fountains throughout the area.
Lovers of art themselves, mom and dad ensured that Sophia actually toured at least the Nelson’s main gallery area.
Here is Sophia standing beside–instead of hiding behind–the Nelson’s famous shuttlecock.
Our visit was soon over, but we hop Sophia treasures her memories of Kansas City and family as we treasure her.
This entry was posted in Art, Family, Photography and tagged culture, kansas city, Rozelle Court, Shuttlecock. Bookmark the permalink.
How can she not? She does!
|
from direct.task.Task import Task
from pandac.PandaModules import TextNode, VBase4
from toontown.chat.ChatBalloon import ChatBalloon
from toontown.nametag import NametagGlobals
class Nametag:
TEXT_WORD_WRAP = 8
TEXT_Y_OFFSET = -0.05
CHAT_TEXT_WORD_WRAP = 12
PANEL_X_PADDING = 0.2
PANEL_Z_PADDING = 0.2
CHAT_BALLOON_ALPHA = 1
def __init__(self):
self.avatar = None
self.panel = None
self.icon = None
self.chatBalloon = None
self.chatButton = NametagGlobals.noButton
self.chatReversed = False
self.font = None
self.chatFont = None
self.chatType = NametagGlobals.CHAT
self.chatBalloonType = NametagGlobals.CHAT_BALLOON
self.nametagColor = NametagGlobals.NametagColors[NametagGlobals.CCNormal]
self.chatColor = NametagGlobals.ChatColors[NametagGlobals.CCNormal]
self.speedChatColor = self.chatColor[0][1]
self.nametagHidden = False
self.chatHidden = False
self.thoughtHidden = False
# Create our TextNodes:
self.textNode = TextNode('text')
self.textNode.setWordwrap(self.TEXT_WORD_WRAP)
self.textNode.setAlign(TextNode.ACenter)
self.chatTextNode = TextNode('chatText')
self.chatTextNode.setWordwrap(self.CHAT_TEXT_WORD_WRAP)
self.chatTextNode.setGlyphScale(ChatBalloon.TEXT_GLYPH_SCALE)
self.chatTextNode.setGlyphShift(ChatBalloon.TEXT_GLYPH_SHIFT)
# Add the tick task:
self.tickTaskName = self.getUniqueName() + '-tick'
self.tickTask = taskMgr.add(self.tick, self.tickTaskName, sort=45)
def destroy(self):
if self.tickTask is not None:
taskMgr.remove(self.tickTask)
self.tickTask = None
self.chatTextNode = None
self.textNode = None
self.chatFont = None
self.font = None
self.chatButton = NametagGlobals.noButton
if self.chatBalloon is not None:
self.chatBalloon.removeNode()
self.chatBalloon = None
if self.icon is not None:
self.icon.removeAllChildren()
self.icon = None
if self.panel is not None:
self.panel.removeNode()
self.panel = None
self.avatar = None
def getUniqueName(self):
return 'Nametag-' + str(id(self))
def getChatBalloonModel(self):
pass # Inheritors should override this method.
def getChatBalloonWidth(self):
pass # Inheritors should override this method.
def getChatBalloonHeight(self):
pass # Inheritors should override this method.
def tick(self, task):
return Task.done # Inheritors should override this method.
def updateClickRegion(self):
pass # Inheritors should override this method.
def drawChatBalloon(self, model, modelWidth, modelHeight):
pass # Inheritors should override this method.
def drawNametag(self):
pass # Inheritors should override this method.
def setAvatar(self, avatar):
self.avatar = avatar
def getAvatar(self):
return self.avatar
def setIcon(self, icon):
self.icon = icon
def getIcon(self):
return self.icon
def setChatButton(self, chatButton):
self.chatButton = chatButton
def getChatButton(self):
return self.chatButton
def hasChatButton(self):
if (self.chatBalloonType == NametagGlobals.CHAT_BALLOON) and self.chatHidden:
return False
if (self.chatBalloonType == NametagGlobals.THOUGHT_BALLOON) and self.thoughtHidden:
return False
return self.chatButton != NametagGlobals.noButton
def setChatReversed(self, chatReversed):
self.chatReversed = chatReversed
def getChatReversed(self):
return self.chatReversed
def setFont(self, font):
self.font = font
if self.font is not None:
self.textNode.setFont(self.font)
self.update()
def getFont(self):
return self.font
def setChatFont(self, chatFont):
self.chatFont = chatFont
if self.chatFont is not None:
self.chatTextNode.setFont(self.chatFont)
self.update()
def getChatFont(self):
return self.chatFont
def setChatType(self, chatType):
self.chatType = chatType
def getChatType(self):
return self.chatType
def setChatBalloonType(self, chatBalloonType):
self.chatBalloonType = chatBalloonType
def getChatBalloonType(self):
return self.chatBalloonType
def setNametagColor(self, nametagColor):
self.nametagColor = nametagColor
def getNametagColor(self):
return self.nametagColor
def setChatColor(self, chatColor):
self.chatColor = chatColor
def getChatColor(self):
return self.chatColor
def setSpeedChatColor(self, speedChatColor):
self.speedChatColor = speedChatColor
def getSpeedChatColor(self):
return self.speedChatColor
def hideNametag(self):
self.nametagHidden = True
def showNametag(self):
self.nametagHidden = False
def hideChat(self):
self.chatHidden = True
def showChat(self):
self.chatHidden = False
def hideThought(self):
self.thoughtHidden = True
def showThought(self):
self.thoughtHidden = False
def applyClickState(self, clickState):
if self.chatBalloon is not None:
foreground, background = self.chatColor[clickState]
if self.chatType == NametagGlobals.SPEEDCHAT:
background = self.speedChatColor
if background[3] > self.CHAT_BALLOON_ALPHA:
background = VBase4(
background[0], background[1], background[2],
self.CHAT_BALLOON_ALPHA)
self.chatBalloon.setForeground(foreground)
self.chatBalloon.setBackground(background)
self.chatBalloon.setButton(self.chatButton[clickState])
elif self.panel is not None:
foreground, background = self.nametagColor[clickState]
self.setForeground(foreground)
self.setBackground(background)
def setText(self, text):
self.textNode.setText(text)
def getText(self):
return self.textNode.getText()
def setChatText(self, chatText):
self.chatTextNode.setText(chatText)
def getChatText(self):
return self.chatTextNode.getText()
def setWordWrap(self, wordWrap):
if wordWrap is None:
wordWrap = self.TEXT_WORD_WRAP
self.textNode.setWordwrap(wordWrap)
self.update()
def getWordWrap(self):
return self.textNode.getWordwrap()
def setChatWordWrap(self, chatWordWrap):
if (chatWordWrap is None) or (chatWordWrap > self.CHAT_TEXT_WORD_WRAP):
chatWordWrap = self.CHAT_TEXT_WORD_WRAP
self.chatTextNode.setWordwrap(chatWordWrap)
self.update()
def getChatWordWrap(self):
return self.chatTextNode.getWordwrap()
def setForeground(self, foreground):
self.textNode.setTextColor(foreground)
def setBackground(self, background):
if self.panel is not None:
self.panel.setColor(background)
def setShadow(self, shadow):
self.textNode.setShadow(shadow)
def getShadow(self):
return self.textNode.getShadow()
def clearShadow(self):
self.textNode.clearShadow()
def update(self):
if self.chatBalloon is not None:
self.chatBalloon.removeNode()
self.chatBalloon = None
if self.panel is not None:
self.panel.removeNode()
self.panel = None
if self.getChatText():
if self.chatBalloonType == NametagGlobals.CHAT_BALLOON:
if not self.chatHidden:
model = self.getChatBalloonModel()
modelWidth = self.getChatBalloonWidth()
modelHeight = self.getChatBalloonHeight()
self.drawChatBalloon(model, modelWidth, modelHeight)
return
elif self.chatBalloonType == NametagGlobals.THOUGHT_BALLOON:
if not self.thoughtHidden:
model = NametagGlobals.thoughtBalloonModel
modelWidth = NametagGlobals.thoughtBalloonWidth
modelHeight = NametagGlobals.thoughtBalloonHeight
self.drawChatBalloon(model, modelWidth, modelHeight)
return
if hasattr(self.avatar, 'ghostMode'):
if self.avatar.ghostMode == 2:
return
if self.getText() and (not self.nametagHidden):
self.drawNametag()
|
This issue, we highlight some resources from “The Buzz Report,” the popular presentation given by editor-in-chief Donna Sardina, RN, MHA, WCC, CWCMS, DWC, OMS, at the Wild On Wounds (WOW) conference, held each September in Las Vegas.
The Agency for Healthcare Research and Quality has published “Universal ICU Decolonization: An Enhanced Protocol.” The protocol is based on materials successfully used in the REDUCE MRSA Trial (Randomized Evaluation of Decolonization vs. Universal Clearance to Eliminate Methicillin-Resistant Staphylococcus aureus), which found that universal decolonization was the most effective intervention.
Download the protocol, which includes an overview, scientific rationale, and several appendices with valuable tools, such as a flow chart of implementing universal decolonization, chlorhexidine bathing skills assessment, nursing protocol, and training and education materials.
Use a handy online calculator to estimate the number of grams needed for therapy and the amount of SANTYL® Ointment to apply per application. Simply enter the width and length of the wound in centimeters, along with the planned number of treatment days. The results include not only the amount, but also the calculation.
You can also download the calculator to your computer or tablet for easy access. Of course, the estimates are simply a guide and should be adjusted based on clinical experience and individual wound characteristics.
The Centers for Disease Control and Prevention (CDC) has dedicated an entire section of its website to information for long-term care facilities.
Over 3 million Americans receive care in U.S. nursing homes and skilled nursing facilities each year and nearly 1 million persons reside in assisted living facilities.
You can also sign up to receive invitations to future wound education webinars.
“Vascular disease patient information page: Peripheral artery disease” (PAD), an article by Ratchford and Evans in Vascular Medicine, explains what PAD is and discusses risk factors, signs and symptoms, diagnosis, treatment, and prevention. The article includes a figure that describes ankle-brachial index measurement.
|
#!/usr/bin/env python3
#
# Easy AVR USB Keyboard Firmware
# Copyright (C) 2013-2020 David Howland
#
# 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, see <http://www.gnu.org/licenses/>.
from setuptools import setup, find_packages
from easykeymap import __version__
setup(
name = 'easykeymap',
version = __version__,
author = 'David Howland',
author_email = '[email protected]',
description = 'Easy AVR USB Keyboard Firmware Keymapper',
long_description = 'Easy to use keymapping GUI for keyboards based on USB AVRs.',
license = "GPLv2",
keywords = "Easy AVR Keymap keyboard firmware",
url = 'https://github.com/dhowland/EasyAVR',
platforms = 'any',
classifiers = [
'Development Status :: 4 - Beta',
'Environment :: MacOS X',
'Environment :: Win32 (MS Windows)',
'Environment :: X11 Applications :: GTK',
'Intended Audience :: End Users/Desktop',
'License :: OSI Approved :: GNU General Public License v2 or later (GPLv2+)',
'Natural Language :: English',
'Operating System :: OS Independent',
'Programming Language :: Python',
'Programming Language :: Python :: 3',
'Programming Language :: Python :: 3 :: Only',
'Programming Language :: Python :: 3.5',
'Programming Language :: Python :: 3.6',
'Programming Language :: Python :: 3.7',
'Programming Language :: Python :: 3.8',
'Programming Language :: C',
'Topic :: Utilities',
],
install_requires = ['wxPython >= 4.1.0'],
packages = find_packages(),
package_data = {
'easykeymap': ['builds/*.hex', 'configs/*.cfg', 'res/*.*']
},
entry_points = {
'gui_scripts': [
'easykeymap = easykeymap.__main__:main',
]
}
)
|
What to wear is always of utmost importance, but right now I have a problem. A very big problem. So big that it keeps me up at night. All you fabulous readers know I would give my right arm for this to be me.
I can't fall asleep. I wake up in the middle of the night. I wake up too early in the morning. My problem is there are too many fun, stylish fabulous things about which to write-- they swirl in my head morning, noon and night, and they WON'T GO AWAY!
There's always a positive floating around somewhere. And today I get to tell you about a whole buncha fun, stylish fabulous things and people all at the same time. Liora Manne' Home, located on Central Ave in the Queen City, is one of those for-the-home spots that has been on my mind for some time now.
Rugs, pillows, poufs, bags, even fabric.
I was first introduced to Liora Manne' when my friend, Katherine, gave me this fabulous Liora Manne' clutch for Christmas. You may recall my New Year's Eve sequin jumpsuit ensemble.
This Friday night Liora Manne' Home is hosting a Gallery Crawl party featuring lots of stylish coolness.
So, there's obviously Liora Manne' Home products to be had. Everyone knows my obsession with bright color. A candy store full of pillows!
Then, there's Liza Cox and her photographic works of art. As the featured artist for this event, on display will be photographic interpretations of some of the things most meaningful to Liza.
Also on tap will be jewelry designer Alexandra Speer showcasing some of her sleek and stunning adornments.
As well as a little live music to suit by Brad Pressley, with snacks courtesy of Bistro La Bon.
Pick up something for me while your at it, 'eh?
|
# -*- encoding: utf-8 -*-
"""Test class for Foreman Discovery"""
from fauxfactory import gen_string, gen_mac
from nailgun import entities
from robottelo.config import conf
from robottelo.decorators import stubbed
from robottelo import ssh
from robottelo.test import UITestCase
from robottelo.ui.session import Session
from time import sleep
class Discovery(UITestCase):
"""Implements Foreman discovery tests in UI."""
name = gen_string("alpha")
image_path = '/var/lib/libvirt/images/{0}.img'.format(name)
def _pxe_boot_host(self, mac):
"""PXE boot a unknown host"""
libvirt_server = 'qemu+tcp://{0}:16509/system'.format(
conf.properties['main.server.hostname'])
ssh.command('virt-install --hvm --network=bridge:virbr1, --mac={0} '
'--pxe --name {1} --ram=1024 --vcpus=1 --os-type=linux '
'--os-variant=rhel7 --disk path={2},size=10 --connect {3} '
'--noautoconsole'
.format(mac, self.name, self.image_path, libvirt_server))
sleep(30)
@classmethod
def setUpClass(cls):
"""Steps to Configure foreman discovery
1. Build PXE default template
2. Create Organization/Location
3. Update Global parameters to set default org and location for
discovered hosts.
4. Enable auto_provision flag to perform discovery via discovery rules.
"""
# Build PXE default template to get default PXE file
entities.ConfigTemplate().build_pxe_default()
# Create Org and location
cls.org = entities.Organization(name=gen_string("alpha")).create()
cls.org_name = cls.org.name
cls.loc = entities.Location(
name=gen_string('alpha'),
organization=[cls.org],
).create()
# Update default org and location params to place discovered host
cls.discovery_loc = entities.Setting().search(
query={'search': 'name="discovery_location"'})[0]
cls.discovery_loc.value = cls.loc.name
cls.discovery_loc.update({'value'})
cls.discovery_org = entities.Setting().search(
query={'search': 'name="discovery_organization"'})[0]
cls.discovery_org.value = cls.org.name
cls.discovery_org.update({'value'})
# Enable flag to auto provision discovered hosts via discovery rules
cls.discovery_auto = entities.Setting().search(
query={'search': 'name="discovery_auto"'})[0]
cls.default_discovery_auto = str(cls.discovery_auto.value)
cls.discovery_auto.value = 'True'
cls.discovery_auto.update({'value'})
super(Discovery, cls).setUpClass()
@classmethod
def tearDownClass(cls):
"""Restore default 'discovery_auto' global setting's value"""
cls.discovery_auto.value = cls.default_discovery_auto
cls.discovery_auto.update({'value'})
super(Discovery, cls).tearDownClass()
def tearDown(self):
"""Delete the pxe host to free the resources"""
ssh.command('virsh destroy {0}'.format(self.name))
ssh.command('virsh undefine {0}'.format(self.name))
ssh.command('virsh vol-delete --pool default {0}'
.format(self.image_path))
super(Discovery, self).tearDown()
def test_host_discovery(self):
"""@Test: Discover a host via proxy by setting "proxy.type=proxy" in
PXE default
@Feature: Foreman Discovery
@Setup: Provisioning should be configured
@Steps: PXE boot a host/VM
@Assert: Host should be successfully discovered
"""
mac = gen_mac(multicast=True, locally=True)
hostname = 'mac{0}'.format(mac.replace(':', ""))
self._pxe_boot_host(mac)
with Session(self.browser) as session:
session.nav.go_to_select_org(self.org_name)
self.assertIsNotNone(self.discoveredhosts.search(hostname))
@stubbed()
def test_host_discovery_facts(self):
"""@Test: Check all facts of discovered hosts are correctly displayed
@Feature: Foreman Discovery
@Setup: Provisioning should be configured
@Steps: Validate IP, memory, mac etc of discovered host
@Assert: All facts should be displayed correctly
@Status: Manual
"""
@stubbed()
def test_provision_discovered_host_1(self):
"""@Test: Provision the selected discovered host by selecting
'provision' button
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Host should be provisioned successfully and entry from
discovered host should be auto removed
@Status: Manual
"""
@stubbed()
def test_provision_discovered_host_2(self):
"""@Test: Provision the selected discovered host from facts page by
clicking 'provision'
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Host should be provisioned successfully and entry from
discovered host should be auto removed
@Status: Manual
"""
def test_delete_discovered_host_1(self):
"""@Test: Delete the selected discovered host
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Selected host should be removed successfully
"""
mac = gen_mac(multicast=True, locally=True)
hostname = 'mac{0}'.format(mac.replace(':', ""))
self._pxe_boot_host(mac)
with Session(self.browser) as session:
session.nav.go_to_select_org(self.org_name)
self.discoveredhosts.delete(hostname)
@stubbed()
def test_delete_discovered_host_2(self):
"""@Test: Delete the selected discovered host from facts page
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Selected host should be removed successfully
@Status: Manual
"""
@stubbed()
def test_delete_multiple_discovered_hosts(self):
"""@Test: Delete multiple discovered hosts from 'Select Action'
drop down
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Selected host should be removed successfully
@Status: Manual
"""
@stubbed()
def test_refresh_discovered_host_facts(self):
"""@Test: Refresh the facts of discovered hosts
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Facts should be refreshed successfully
ToDo: Need to check what we change on host that its updated with
refresh facts
@Status: Manual
"""
@stubbed()
def test_change_default_org(self):
"""@Test: Change the default org of more than one discovered hosts
from 'Select Action' drop down
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Default org should be successfully changed for multiple hosts
@Status: Manual
"""
@stubbed()
def test_change_default_location(self):
"""@Test: Change the default location of more than one discovered hosts
from 'Select Action' drop down
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Default Location should be successfully changed for multiple
hosts
@Status: Manual
"""
@stubbed()
def test_create_discovery_rule_1(self):
"""@Test: Create a new discovery rule
Set query as (e.g IP=IP_of_discovered_host)
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Host should reboot and provision
@Status: Manual
"""
@stubbed()
def test_create_discovery_rule_2(self):
"""@Test: Create a new discovery rule with (host_limit = 0)
that applies to multi hosts.
Set query as cpu_count = 1 OR mem > 500
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: All Hosts of same subnet should reboot and provision
@Status: Manual
"""
@stubbed()
def test_create_discovery_rule_3(self):
"""@Test: Create multiple discovery rules with different priority
@Feature: Foreman Discovery
@Setup: Multiple hosts should already be discovered
@Assert: Host with lower count have higher priority
and that rule should be executed first
@Status: Manual
"""
@stubbed()
def test_create_discovery_rule_4(self):
"""@Test: Create a discovery rule and execute it when
"auto_provisioning" flag set to 'false'
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Host should not be rebooted automatically
@Status: Manual
"""
@stubbed()
def test_create_discovery_rule_5(self):
"""@Test: Create a discovery rule with invalid query
e.g. BIOS = xyz
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: Rule should automatically be skipped on clicking
'Auto provision'. UI Should raise 'No matching rule found'
@Status: Manual
"""
@stubbed()
def test_create_discovery_rule_6(self):
"""@Test: Create a discovery rule (CPU_COUNT = 2) with host limit 1 and
provision more than one host with same rule
@Feature: Foreman Discovery
@Setup: Host with two CPUs should already be discovered
@Assert: Rule should only be applied to one discovered host and for
other rule should already be skipped.
@Status: Manual
"""
@stubbed()
def test_update_discovery_rule_1(self):
"""@Test: Update an existing rule and execute it
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: User should be able to update the rule and it should be
executed on discovered host
@Status: Manual
"""
@stubbed()
def test_update_discovery_rule_2(self):
"""@Test: Update the discovered host name and provision it
@Feature: Foreman Discovery
@Setup: Host should already be discovered
@Assert: The hostname should be updated and host should be provisioned
@Status: Manual
"""
@stubbed()
def test_update_discovery_prefix(self):
"""@Test: Update the discovery_prefix parameter other than mac
@Feature: Foreman Discovery
@Steps:
1. Goto settings ← Discovered tab -> discovery_prefix
2. Edit discovery_prefix using any text that must start with a letter
@Setup: Host should already be discovered
@Assert: discovery_prefix is updated and provisioned host has same
prefix in its hostname
@Status: Manual
"""
@stubbed()
def test_auto_provision_all(self):
"""@Test: Discover a bunch of hosts and auto-provision all
@Feature: Foreman Discovery
@Assert: All host should be successfully rebooted and provisioned
@Status: Manual
"""
@stubbed()
def test_add_new_discovery_fact(self):
"""@Test: Add a new fact column to display on discovered host page
@Feature: Foreman Discovery
@Steps:
1. Goto settings -> Discovered tab -> discovery_fact_coloumn
2. Edit discovery_fact_coloumn
3. Add uuid or os
@Assert: The added fact should be displayed on 'discovered_host' page
after successful discovery
@Status: Manual
"""
@stubbed()
def test_add_invalid_discovery_fact(self):
"""@Test: Add a new fact column with invalid fact to display on
discovered host page
@Feature: Foreman Discovery
@Steps:
1. Goto settings -> Discovered tab -> discovery_fact_coloumn
2. Edit discovery_fact_coloumn
3. Add 'test'
@Assert: The added fact should be displayed on 'discovered_host' page
after successful discovery and shows 'N/A'
@Status: Manual
"""
@stubbed()
def test_discovery_manager_role(self):
"""@Test: Assign 'Discovery_Manager' role to a normal user
@Feature: Foreman Discovery
@Assert: User should be able to view, provision, edit and destroy one
or more discovered host as well view, create_new, edit, execute and
delete discovery rules.
@Status: Manual
"""
@stubbed()
def test_discovery_role(self):
"""@Test: Assign 'Discovery" role to a normal user
@Feature: Foreman Discovery
@Assert: User should be able to view, provision, edit and destroy one
or more discovered host
@Status: Manual
"""
|
Caleb Benenoch has been the weakest link on a Tampa Bay Buccaneers offensive line which hasn’t become what many hoped it would in 2018.
To get a closer look at this situation, I dove into some of Pro Football Focus’ (PFF) premium stats to see just how he stacks up against other guards in the National Football League up to this point in the 2018 regular season.
Benenoch has been in the game on 548 snaps this season for the Tampa Bay Buccaneers. Of those, 381 snaps have come in pass protection and 167 have called on him as a run blocker.
The amount of pressures allowed by Benenoch in pass protection. Among guards in the NFL with at least 381 pass protection snaps this puts him sixth among those allowing the most this season.
Of the five players ahead of him, only Lane Taylor (Green Bay Packers) and Dan Feeney (Los Angeles Chargers) have gotten the majority of their snaps at left guard. The rest are right guards, with perhaps the exception of Connor McGovern (Denver Broncos) who has 96 snaps at center after recently moving over due to an injury suffered by Denver’s regular starter, Matt Paradis.
Sacks allowed by Benenoch in 2018. Second most behind Taylor in Green Bay and most in the NFL among right guards with the same or more pass protection snaps as the Bucs’ guard.
Up to this point in the season, the third-year guard is one of only three right guards who have allowed five or more sacks this season.
Benenoch’s five penalties from the right guard position make him one of five players in the NFL with that total or more who play predominantly at the right guard position.
|
# -*- coding: utf-8 -*-
#
# Copyright (C) 2008-2009 Ido Abramovich <[email protected]>
# Copyright (C) 2009 Andrew Resch <[email protected]>
# Copyright (C) 2011 Nick Lanham <[email protected]>
#
# This file is part of Deluge and is licensed under GNU General Public License 3.0, or later, with
# the additional special exception to link portions of this program with the OpenSSL library.
# See LICENSE for more details.
#
from __future__ import print_function
import logging
import sys
from twisted.internet import defer
import deluge.component as component
from deluge.error import DelugeError
from deluge.ui.client import client
from deluge.ui.console.colors import strip_colors
log = logging.getLogger(__name__)
class Commander:
def __init__(self, cmds, interactive=False):
self._commands = cmds
self.console = component.get("ConsoleUI")
self.interactive = interactive
def write(self, line):
print(strip_colors(line))
def do_command(self, cmd):
"""
Processes a command.
:param cmd: str, the command string
"""
if not cmd:
return
cmd, _, line = cmd.partition(" ")
try:
parser = self._commands[cmd].create_parser()
except KeyError:
self.write("{!error!}Unknown command: %s" % cmd)
return
args = self._commands[cmd].split(line)
# Do a little hack here to print 'command --help' properly
parser._print_help = parser.print_help
def print_help(f=None):
if self.interactive:
self.write(parser.format_help())
else:
parser._print_help(f)
parser.print_help = print_help
# Only these commands can be run when not connected to a daemon
not_connected_cmds = ["help", "connect", "quit"]
aliases = []
for c in not_connected_cmds:
aliases.extend(self._commands[c].aliases)
not_connected_cmds.extend(aliases)
if not client.connected() and cmd not in not_connected_cmds:
self.write("{!error!}Not connected to a daemon, please use the connect command first.")
return
try:
options, args = parser.parse_args(args)
except TypeError as ex:
self.write("{!error!}Error parsing options: %s" % ex)
return
if not getattr(options, "_exit", False):
try:
ret = self._commands[cmd].handle(*args, **options.__dict__)
except Exception as ex:
self.write("{!error!} %s" % ex)
log.exception(ex)
import traceback
self.write("%s" % traceback.format_exc())
return defer.succeed(True)
else:
return ret
def exec_args(self, args, host, port, username, password):
commands = []
if args:
# Multiple commands split by ";"
commands = [arg.strip() for arg in args.split(";")]
def on_connect(result):
def on_started(result):
def on_started(result):
def do_command(result, cmd):
return self.do_command(cmd)
d = defer.succeed(None)
for command in commands:
if command in ("quit", "exit"):
break
d.addCallback(do_command, command)
d.addCallback(do_command, "quit")
# We need to wait for the rpcs in start() to finish before processing
# any of the commands.
self.console.started_deferred.addCallback(on_started)
component.start().addCallback(on_started)
def on_connect_fail(reason):
if reason.check(DelugeError):
rm = reason.value.message
else:
rm = reason.getErrorMessage()
if host:
print("Could not connect to daemon: %s:%s\n %s" % (host, port, rm))
else:
print("Could not connect to localhost daemon\n %s" % rm)
self.do_command("quit")
if host:
d = client.connect(host, port, username, password)
else:
d = client.connect()
if not self.interactive:
if commands[0].startswith("connect"):
d = self.do_command(commands.pop(0))
elif "help" in commands:
self.do_command("help")
sys.exit(0)
d.addCallback(on_connect)
d.addErrback(on_connect_fail)
|
Commercial AC systems are essential for commercial and industrial buildings in Holloway and are used to maintain a workable environment. However, even with a high level of care and attention, the effects of use and time will take its toll on a commercial AC system.
Unfortunately, commercial Air Conditioning Systems in Holloway can develop a fault at any time. However, when these problems occur, it is very important to have the system repaired as quickly as possible.
We provide Commercial AC Repairs in Holloway specifically suited to repair and restore your air conditioning system to full working condition. Faulty AC systems can make industrial and commercial buildings unable to be used for work.
Our customers value our commercial AC repair services, as we provide a quick and efficient solution and are available around the clock. All commercial air conditioning repairs in Holloway are performed by one of our Commercial AC Engineers, and as all of our engineers are fully trained and skilled in their area of expertise, you are guaranteed a top quality commercial AC repair service 100% of the time.
We specialise in commercial air conditioning in Holloway of England and can install, maintain and repair large AC systems on a commercial and industrial scale. We provide commercial and Industrial Air Conditioning throughout Holloway with Commercial Air Conditioning Engineers always available in Holloway and covering the whole of the South East.
From the initial point of contact our Commercial AC Consultants Holloway will help you all the way through to the completed product. We take great pride in all works undertaken.
All the commercial air conditioning customers we provide for in Holloway are 100% happy 100% of the time and you will be no different. Your satisfaction is paramount to us.
|
# Copyright (C) 2008-2010 Adam Olsen
#
# 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, 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.
#
#
# The developers of the Exaile media player hereby grant permission
# for non-GPL compatible GStreamer and Exaile plugins to be used and
# distributed together with GStreamer and Exaile. This permission is
# above and beyond the permissions granted by the GPL license by which
# Exaile is covered. If you modify this code, you may extend this
# exception to your version of the code, but you are not obligated to
# do so. If you do not wish to do so, delete this exception statement
# from your version.
"""
Provides a signals-like system for sending and listening for 'events'
Events are kind of like signals, except they may be listened for on a
global scale, rather than connected on a per-object basis like signals
are. This means that ANY object can emit ANY event, and these events may
be listened for by ANY object.
Events should be emitted AFTER the given event has taken place. Often the
most appropriate spot is immediately before a return statement.
"""
from __future__ import with_statement
from inspect import ismethod
import logging
from new import instancemethod
import re
import threading
import time
import traceback
import weakref
import glib
from xl import common
from xl.nls import gettext as _
# define this here so the interperter doesn't complain
EVENT_MANAGER = None
logger = logging.getLogger(__name__)
class Nothing(object):
pass
_NONE = Nothing() # used by event for a safe None replacement
def log_event(type, obj, data):
"""
Sends an event.
:param type: the *type* or *name* of the event.
:type type: string
:param obj: the object sending the event.
:type obj: object
:param data: some data about the event, None if not required
:type data: object
"""
global EVENT_MANAGER
e = Event(type, obj, data, time.time())
EVENT_MANAGER.emit(e)
def add_callback(function, type=None, obj=None, *args, **kwargs):
"""
Adds a callback to an event
You should ALWAYS specify one of the two options on what to listen
for. While not forbidden to listen to all events, doing so will
cause your callback to be called very frequently, and possibly may
cause slowness within the player itself.
:param function: the function to call when the event happens
:type function: callable
:param type: the *type* or *name* of the event to listen for, eg
`tracks_added`, `cover_changed`. Defaults to any event if
not specified.
:type type: string
:param obj: the object to listen to events from, e.g. `exaile.collection`
or `xl.covers.MANAGER`. Defaults to any object if not
specified.
:type obj: object
Any additional parameters will be passed to the callback.
:returns: a convenience function that you can call to remove the callback.
"""
global EVENT_MANAGER
return EVENT_MANAGER.add_callback(function, type, obj, args, kwargs)
def remove_callback(function, type=None, obj=None):
"""
Removes a callback
The parameters passed should match those that were passed when adding
the callback
"""
global EVENT_MANAGER
EVENT_MANAGER.remove_callback(function, type, obj)
class Event(object):
"""
Represents an Event
"""
def __init__(self, type, obj, data, time):
"""
type: the 'type' or 'name' for this Event [string]
obj: the object emitting the Event [object]
data: some piece of data relevant to the Event [object]
"""
self.type = type
self.object = obj
self.data = data
self.time = time
class Callback(object):
"""
Represents a callback
"""
def __init__(self, function, time, args, kwargs):
"""
@param function: the function to call
@param time: the time this callback was added
"""
self.valid = True
self.wfunction = _getWeakRef(function, self.vanished)
self.time = time
self.args = args
self.kwargs = kwargs
def vanished(self, ref):
self.valid = False
class _WeakMethod:
"""Represent a weak bound method, i.e. a method doesn't keep alive the
object that it is bound to. It uses WeakRef which, used on its own,
produces weak methods that are dead on creation, not very useful.
Typically, you will use the getRef() function instead of using
this class directly. """
def __init__(self, method, notifyDead = None):
"""
The method must be bound. notifyDead will be called when
object that method is bound to dies.
"""
assert ismethod(method)
if method.im_self is None:
raise ValueError, "We need a bound method!"
if notifyDead is None:
self.objRef = weakref.ref(method.im_self)
else:
self.objRef = weakref.ref(method.im_self, notifyDead)
self.fun = method.im_func
self.cls = method.im_class
def __call__(self):
if self.objRef() is None:
return None
else:
return instancemethod(self.fun, self.objRef(), self.cls)
def __eq__(self, method2):
if not isinstance(method2, _WeakMethod):
return False
return self.fun is method2.fun \
and self.objRef() is method2.objRef() \
and self.objRef() is not None
def __hash__(self):
return hash(self.fun)
def __repr__(self):
dead = ''
if self.objRef() is None:
dead = '; DEAD'
obj = '<%s at %s%s>' % (self.__class__, id(self), dead)
return obj
def refs(self, weakRef):
"""Return true if we are storing same object referred to by weakRef."""
return self.objRef == weakRef
def _getWeakRef(obj, notifyDead=None):
"""
Get a weak reference to obj. If obj is a bound method, a _WeakMethod
object, that behaves like a WeakRef, is returned, if it is
anything else a WeakRef is returned. If obj is an unbound method,
a ValueError will be raised.
"""
if ismethod(obj):
createRef = _WeakMethod
else:
createRef = weakref.ref
if notifyDead is None:
return createRef(obj)
else:
return createRef(obj, notifyDead)
class EventManager(object):
"""
Manages all Events
"""
def __init__(self, use_logger=False, logger_filter=None):
self.callbacks = {}
self.use_logger = use_logger
self.logger_filter = logger_filter
# RLock is needed so that event callbacks can themselves send
# synchronous events and add or remove callbacks
self.lock = threading.RLock()
def emit(self, event):
"""
Emits an Event, calling any registered callbacks.
event: the Event to emit [Event]
"""
emit_logmsg = self.use_logger and (not self.logger_filter or \
re.search(self.logger_filter, event.type))
with self.lock:
callbacks = set()
for tcall in [_NONE, event.type]:
for ocall in [_NONE, event.object]:
try:
callbacks.update(self.callbacks[tcall][ocall])
except KeyError:
pass
# now call them
for cb in callbacks:
try:
if not cb.valid:
try:
self.callbacks[event.type][event.object].remove(cb)
except (KeyError, ValueError):
pass
elif event.time >= cb.time:
if emit_logmsg:
logger.debug("Attempting to call "
"%(function)s in response "
"to %(event)s." % {
'function': cb.wfunction(),
'event': event.type})
cb.wfunction().__call__(event.type, event.object,
event.data, *cb.args, **cb.kwargs)
except Exception:
# something went wrong inside the function we're calling
common.log_exception(logger,
message="Event callback exception caught!")
if emit_logmsg:
logger.debug("Sent '%(type)s' event from "
"'%(object)s' with data '%(data)s'." %
{'type' : event.type, 'object' : repr(event.object),
'data' : repr(event.data)})
def emit_async(self, event):
"""
Same as emit(), but does not block.
"""
glib.idle_add(self.emit, event)
def add_callback(self, function, type, obj, args, kwargs):
"""
Registers a callback.
You should always specify at least one of type or object.
@param function: The function to call [function]
@param type: The 'type' or 'name' of event to listen for. Defaults
to any. [string]
@param obj: The object to listen to events from. Defaults
to any. [string]
Returns a convenience function that you can call to
remove the callback.
"""
with self.lock:
# add the specified categories if needed.
if not self.callbacks.has_key(type):
self.callbacks[type] = weakref.WeakKeyDictionary()
if obj is None:
obj = _NONE
try:
callbacks = self.callbacks[type][obj]
except KeyError:
callbacks = self.callbacks[type][obj] = []
# add the actual callback
callbacks.append(Callback(function, time.time(), args, kwargs))
if self.use_logger:
if not self.logger_filter or re.search(self.logger_filter, type):
logger.debug("Added callback %s for [%s, %s]" %
(function, type, obj))
return lambda: self.remove_callback(function, type, obj)
def remove_callback(self, function, type=None, obj=None):
"""
Unsets a callback
The parameters must match those given when the callback was
registered. (minus any additional args)
"""
if obj is None:
obj = _NONE
remove = []
with self.lock:
try:
callbacks = self.callbacks[type][obj]
for cb in callbacks:
if cb.wfunction() == function:
remove.append(cb)
except KeyError:
return
except TypeError:
return
for cb in remove:
callbacks.remove(cb)
if self.use_logger:
if not self.logger_filter or re.search(self.logger_filter, type):
logger.debug("Removed callback %s for [%s, %s]" %
(function, type, obj))
EVENT_MANAGER = EventManager()
# vim: et sts=4 sw=4
|
Order online for delivery and takeout: 127. BBQ Pork Chop Suey from Golden Sun - Davis. Serving the best Chinese in Davis, CA.
|
# -*- coding: utf-8 -*-
"""
Models backed by SQL using SQLAlchemy.
.. note:: All genomic positions in this module are one-based and inclusive.
.. moduleauthor:: Martijn Vermaat <[email protected]>
.. Licensed under the MIT license, see the LICENSE file.
"""
from datetime import datetime
from functools import wraps
import gzip
from hashlib import sha1
import hmac
import os
import sqlite3
import uuid
import bcrypt
from flask import current_app
from sqlalchemy import event, Index
from sqlalchemy.engine import Engine
from sqlalchemy.orm.exc import DetachedInstanceError
import werkzeug
from . import db
from .region_binning import assign_bin
# Todo: Use the types for which we have validators.
DATA_SOURCE_FILETYPES = ('bed', 'vcf', 'csv')
OBSERVATION_ZYGOSITIES = ('heterozygous', 'homozygous')
# Note: Add new roles at the end.
USER_ROLES = (
'admin', # Can do anything.
'importer', # Can import samples.
'annotator', # Can annotate samples.
'trader' # Can annotate samples if they are also imported.
)
@event.listens_for(Engine, 'connect')
def set_sqlite_pragma(dbapi_connection, connection_record):
"""
We use foreign keys (and ``ON DELETE CASCADE`` on some of these), but in
SQLite these are only enforced if ``PRAGMA foreign_keys=ON`` is executed
on all connections before use.
[1] http://docs.sqlalchemy.org/en/latest/dialects/sqlite.html#foreign-key-support
"""
if isinstance(dbapi_connection, sqlite3.Connection):
cursor = dbapi_connection.cursor()
cursor.execute('PRAGMA foreign_keys=ON')
cursor.close()
def detached_session_fix(method):
"""
Decorator providing a workaround for a possible bug in Celery.
If `CELERY_ALWAYS_EAGER=True`, the worker can end up with a detached
session when printing its log after an error. This causes an exception,
but with this decorator it is ignored and the method returns `None`.
We use this on the `__repr__` methods of the SQLAlchemy models since they
tend to be called when the log is printed, making debugging a pain.
This is a hacky workaround and I think it's something that could be fixed
in Celery itself.
"""
@wraps(method)
def fixed_method(*args, **kwargs):
try:
return method(*args, **kwargs)
except DetachedInstanceError:
return None
return fixed_method
class InvalidDataSource(Exception):
"""
Exception thrown if data source validation failed.
"""
def __init__(self, code, message):
self.code = code
self.message = message
super(InvalidDataSource, self).__init__(code, message)
class DataUnavailable(Exception):
"""
Exception thrown if reading from a data source which data is not cached
anymore (in case of local storage) or does not exist anymore (in case of
a URL resource.
"""
def __init__(self, code, message):
self.code = code
self.message = message
super(DataUnavailable, self).__init__(code, message)
class User(db.Model):
"""
User in the system.
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
#: User name.
name = db.Column(db.String(200))
#: Unique string used to identify the user.
login = db.Column(db.String(40), index=True, unique=True)
#: Hashed password.
password_hash = db.Column(db.String(100))
#: User email address.
email = db.Column(db.String(200))
#: Bitstring where the leftmost role in the :data:`USER_ROLES` tuple is
#: defined by the least-significant bit. Essentially, this creates a set
#: of roles.
#:
#: You should probably use the :attr:`roles` property instead of accessing
#: this field directly.
roles_bitstring = db.Column(db.Integer)
#: Date and time of creation.
added = db.Column(db.DateTime)
def __init__(self, name, login, password='', password_hash=None,
email=None, roles=None):
"""
If `password_hash` is specified, it is used directly as a bcrypt hash.
Otherwise, the bcrypt hash of `password` is computed.
A bcrypt hash for a password can be computed as follows:
>>> from varda.models import User
>>> User.hash_password('my plaintext password')
'$2a$12$pGK5H8c74SR0Zx0nqHQEU.6qTICkj1WUn1RMzN9NRBFmZFOGE1HF6'
"""
roles = roles or []
self.name = name
self.login = login
self.email = email
self.added = datetime.now()
self.password_hash = password_hash or self.hash_password(password)
self.roles_bitstring = self._encode_roles(roles)
@detached_session_fix
def __repr__(self):
return '<User %r>' % self.login
@staticmethod
def hash_password(password):
return bcrypt.hashpw(password, bcrypt.gensalt())
@staticmethod
def _encode_roles(roles):
return sum(pow(2, i) for i, role
in enumerate(USER_ROLES) if role in roles)
@property
def password(self):
"""
Since we only store the hashed password (in :attr:`password_hash`) and
not the password itself, this is always `None`.
"""
return None
@password.setter
def password(self, password):
"""
Change the password for the user.
"""
self.password_hash = self.hash_password(password)
@property
def roles(self):
"""
A subset of the roles defined in :data:`USER_ROLES`.
"""
return {role for i, role in enumerate(USER_ROLES)
if self.roles_bitstring & pow(2, i)}
@roles.setter
def roles(self, roles):
"""
Change the roles for the user.
:arg roles: Subset of the roles defined in :data:`USER_ROLES`.
:type roles: sequence
"""
self.roles_bitstring = self._encode_roles(roles)
def check_password(self, password):
"""
Return `True` iff `password` matches the user password.
"""
return (bcrypt.hashpw(password, self.password_hash) ==
self.password_hash)
class Token(db.Model):
"""
User token for authentication.
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
user_id = db.Column(db.Integer,
db.ForeignKey('user.id', ondelete='CASCADE'),
nullable=False)
#: Human-readable name.
name = db.Column(db.String(200))
#: The actual token string.
key = db.Column(db.String(40), index=True, unique=True)
#: Date and time of creation.
added = db.Column(db.DateTime)
#: The :class:`User` owning this token.
user = db.relationship(User,
backref=db.backref('tokens', lazy='dynamic',
cascade='all, delete-orphan',
passive_deletes=True))
def __init__(self, user, name):
self.user = user
self.name = name
self.added = datetime.now()
# Method to generate key taken from Django REST framework.
self.key = hmac.new(uuid.uuid4().bytes, digestmod=sha1).hexdigest()
@detached_session_fix
def __repr__(self):
return '<Token %r>' % self.name
group_membership = db.Table(
'group_membership', db.Model.metadata,
db.Column('sample_id', db.Integer,
db.ForeignKey('sample.id', ondelete='CASCADE'),
nullable=False),
db.Column('group_id', db.Integer,
db.ForeignKey('group.id', ondelete='CASCADE'),
nullable=False))
class Group(db.Model):
"""
Group (e.g. disease type)
"""
__table_args__ = {"mysql_engine": "InnoDB", "mysql_charset": "utf8"}
id = db.Column(db.Integer, primary_key=True)
user_id = db.Column(db.Integer, db.ForeignKey('user.id'), nullable=False)
#: Human readable name
name = db.Column(db.String(200), unique=True)
#: date and time of creation
added = db.Column(db.DateTime)
#: the :class:`User` who created this sample
user = db.relationship(User,
backref=db.backref('groups', lazy='dynamic'))
def __init__(self, user, name):
self.user = user
self.name = name
self.added = datetime.now()
@detached_session_fix
def __repr__(self):
return '<Group %r>' % (self.name)
class Sample(db.Model):
"""
Sample (of one or more individuals).
"""
__tablename__ = 'sample'
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
user_id = db.Column(db.Integer, db.ForeignKey('user.id'), nullable=False)
group_id = db.Column(db.Integer, db.ForeignKey('group.id'),
nullable=True)
#: Human-readable name.
name = db.Column(db.String(200))
#: Number of individuals.
pool_size = db.Column(db.Integer)
#: Data and time of creation.
added = db.Column(db.DateTime)
#: Set to `True` iff the sample can be included in frequency calculations.
active = db.Column(db.Boolean, default=False)
#: Set to `True` iff the sample has coverage information (i.e., it has one
#: or more :class:`Coverage` entries). If `False`, the sample will not be
#: included in global observation frequencies (usually only the case for
#: population studies).
coverage_profile = db.Column(db.Boolean)
#: Set to `True` iff the sample can be directly queried for observation
#: frequencies by anyone.
public = db.Column(db.Boolean)
#: Textual notes.
#:
#: .. hint:: If you use `Markdown <http://daringfireball.net/projects/markdown/>`_
#: here, the `Aulë <https://github.com/varda/aule>`_ web interface
#: will render it as such.
notes = db.Column(db.Text)
#: The :class:`User` owning this sample.
user = db.relationship(User,
backref=db.backref('samples', lazy='dynamic'))
#: A :class:`Group` to which this sample belongs
group = db.relationship(Group, secondary=group_membership,
cascade='all', passive_deletes=True)
def __init__(self, user, name, pool_size=1, coverage_profile=True,
public=False, notes=None, group=None):
self.user = user
self.name = name
self.pool_size = pool_size
self.added = datetime.now()
self.coverage_profile = coverage_profile
self.public = public
self.notes = notes
self.group = group
@detached_session_fix
def __repr__(self):
return '<Sample %r, pool_size=%r, active=%r, public=%r, group=%r>' \
% (self.name, self.pool_size, self.active, self.public, self.group)
class DataSource(db.Model):
"""
Data source (probably uploaded as a file).
.. note:: Data source :attr:`checksum` values are not forced to be unique,
since several users might upload the same data source and do different
things with it.
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
user_id = db.Column(db.Integer, db.ForeignKey('user.id'), nullable=False)
#: Human-readable name.
name = db.Column(db.String(200))
#: Name of the file (in the directory defined by the `DATA_DIR`
#: configuration setting) used to store the data.
filename = db.Column(db.String(50))
#: Filetype can be any of the values in :data:`DATA_SOURCE_FILETYPES`.
filetype = db.Column(db.Enum(*DATA_SOURCE_FILETYPES, name='filetype'))
#: Set to `True` iff the data is stored gzip-compressed.
gzipped = db.Column(db.Boolean)
#: Data and time of creation.
added = db.Column(db.DateTime)
#: Checksum of the (uncompressed) data. Can be `None` if it is not yet
#: calculated.
checksum = db.Column(db.String(40))
#: Number of records in the file. Can be `None` if it is not yet
#: calculated.
records = db.Column(db.Integer)
#: The :class:`User` owning this data source.
user = db.relationship(User,
backref=db.backref('data_sources', lazy='dynamic'))
def __init__(self, user, name, filetype, upload=None, local_file=None,
empty=False, gzipped=False):
"""
One of the following three keyword arguments must be specified:
* `upload`: Data is provided as an uploaded file. Specifically,
`upload` is expected to be a :class:`werkzeug.datastructures.FileStorage`
instance.
* `local_file`: Data is locally available in the file with this name
in the directory specified by the `SECONDARY_DATA_DIR` configuration
setting. If the `SECONDARY_DATA_BY_USER` configuration setting is
`True`, an additional subdirectory within `SECONDARY_DATA_DIR` is
used with name equal to `user.login`.
* `empty`: No data is provided for the data source at this point. Data
can be written to it later using the :meth:`data_writer` method.
"""
if not filetype in DATA_SOURCE_FILETYPES:
raise InvalidDataSource('unknown_filetype',
'Data source filetype "%s" is unknown'
% filetype)
self.user = user
self.name = name
self.filename = str(uuid.uuid4())
self.filetype = filetype
self.gzipped = gzipped
self.added = datetime.now()
path = os.path.join(current_app.config['DATA_DIR'],
self.filename)
if upload is not None:
if gzipped:
upload.save(path)
else:
data = gzip.open(path, 'wb')
data.write(upload.read())
data.close()
self.gzipped = True
elif local_file is not None:
if not current_app.config['SECONDARY_DATA_DIR']:
raise InvalidDataSource(
'invalid_data', 'Referencing local data files is not '
'allowed by system configuration')
if current_app.config['SECONDARY_DATA_BY_USER']:
local_dir = os.path.join(current_app.config['SECONDARY_DATA_DIR'],
user.login)
else:
local_dir = current_app.config['SECONDARY_DATA_DIR']
local_path = os.path.join(local_dir,
werkzeug.secure_filename(local_file))
if not os.path.isfile(local_path):
raise InvalidDataSource(
'invalid_data', 'Local data file referenced does not exist')
os.symlink(local_path, path)
elif not empty:
raise InvalidDataSource('invalid_data', 'No data supplied')
@detached_session_fix
def __repr__(self):
return '<DataSource %r, filename=%r, filetype=%r, records=%r>' \
% (self.name, self.filename, self.filetype, self.records)
def data(self):
"""
Get open file-like handle to data contained in this data source for
reading.
.. note:: Be sure to close after calling this.
"""
filepath = os.path.join(current_app.config['DATA_DIR'],
self.filename)
try:
if self.gzipped:
return gzip.open(filepath)
else:
return open(filepath)
except EnvironmentError:
raise DataUnavailable('data_source_not_cached',
'Data source is not in the cache')
def data_writer(self):
"""
Get open file-like handle to data contained in this data source for
writing.
.. note:: Be sure to close after calling this.
"""
filepath = os.path.join(current_app.config['DATA_DIR'],
self.filename)
try:
if self.gzipped:
return gzip.open(filepath, 'wb')
else:
return open(filepath, 'wb')
except EnvironmentError:
raise DataUnavailable('data_source_not_cached',
'Data source is not in the cache')
def empty(self):
"""
Remove all data from this data source.
"""
with self.data_writer():
pass
def local_path(self):
"""
Get a local filepath for the data.
"""
return os.path.join(current_app.config['DATA_DIR'], self.filename)
class Variation(db.Model):
"""
Coupling between a :class:`Sample`, a :class:`DataSource`, and a set of
:class:`Observation`s.
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
sample_id = db.Column(db.Integer,
db.ForeignKey('sample.id', ondelete='CASCADE'),
nullable=False)
data_source_id = db.Column(db.Integer, db.ForeignKey('data_source.id'),
nullable=False)
task_done = db.Column(db.Boolean, default=False)
task_uuid = db.Column(db.String(36))
#: Set to `True` iff observations not passing the filter (i.e., having a
#: value other than ``PASS` in the VCF file) are discarded.
skip_filtered = db.Column(db.Boolean)
#: Set to `True` iff genotype information (i.e., the ``GT`` value in the
#: VCF file) is used to deduce observation :attr:`Observation.support` and
#: :attr:`Observation.zygosity`. See also
#: :attr:`prefere_genotype_likelihoods`.
use_genotypes = db.Column(db.Boolean)
#: Set to `True` iff genotype likelihoods (i.e., the ``GL`` and ``PL``
#: values in the VCF file) are prefered over genotype information. Only
#: used if :attr:`use_genotypes` is `True`.
prefer_genotype_likelihoods = db.Column(db.Boolean)
#: The :class:`Sample` this set of :class:`Observation`s belong to.
sample = db.relationship(Sample,
backref=db.backref('variations', lazy='dynamic',
cascade='all, delete-orphan',
passive_deletes=True))
#: The :class:`DataSource` this set of :class:`Observation`s are imported
#: from.
data_source = db.relationship(DataSource,
backref=db.backref('variations',
lazy='dynamic'))
def __init__(self, sample, data_source, skip_filtered=True,
use_genotypes=True, prefer_genotype_likelihoods=False):
self.sample = sample
self.data_source = data_source
self.skip_filtered = skip_filtered
self.use_genotypes = use_genotypes
self.prefer_genotype_likelihoods = prefer_genotype_likelihoods
@detached_session_fix
def __repr__(self):
return '<Variation task_done=%r, task_uuid=%r>' % (self.task_done,
self.task_uuid)
class Coverage(db.Model):
"""
Coupling between a :class:`Sample`, a :class:`DataSource`, and a set of
:class:`Region`s.
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
sample_id = db.Column(db.Integer,
db.ForeignKey('sample.id', ondelete='CASCADE'),
nullable=False)
data_source_id = db.Column(db.Integer, db.ForeignKey('data_source.id'),
nullable=False)
task_done = db.Column(db.Boolean, default=False)
task_uuid = db.Column(db.String(36))
#: The :class:`Sample` this set of :class:`Region`s belong to.
sample = db.relationship(Sample,
backref=db.backref('coverages', lazy='dynamic',
cascade='all, delete-orphan',
passive_deletes=True))
#: The :class:`DataSource` this set of :class:`Region`s are imported from.
data_source = db.relationship(DataSource,
backref=db.backref('coverages',
lazy='dynamic'))
def __init__(self, sample, data_source):
self.sample = sample
self.data_source = data_source
@detached_session_fix
def __repr__(self):
return '<Coverage task_done=%r, task_uuid=%r>' % (self.task_done,
self.task_uuid)
sample_frequency = db.Table(
'sample_frequency', db.Model.metadata,
db.Column('annotation_id', db.Integer,
db.ForeignKey('annotation.id', ondelete='CASCADE'),
nullable=False),
db.Column('sample_id', db.Integer,
db.ForeignKey('sample.id', ondelete='CASCADE'),
nullable=False))
class Annotation(db.Model):
"""
Annotation of a data source.
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
original_data_source_id = db.Column(db.Integer,
db.ForeignKey('data_source.id'),
nullable=False)
annotated_data_source_id = db.Column(db.Integer,
db.ForeignKey('data_source.id'),
nullable=False)
task_done = db.Column(db.Boolean, default=False)
task_uuid = db.Column(db.String(36))
#: Set to `True` iff global observation frequencies are annotated.
global_frequency = db.Column(db.Boolean)
#: A link to each :class:`Sample` for which observation frequencies are
#: annotated.
sample_frequency = db.relationship(Sample, secondary=sample_frequency,
cascade='all', passive_deletes=True)
#: Query field for groups. Should be a list of dictionaries, which is serialized by pickle
#: e.g. [{'group1': False, 'group2': True}, {'group1': True, 'group2': False}]
group_query = db.Column(db.PickleType)
#: The original :class:`DataSource` that is being annotated.
original_data_source = db.relationship(
DataSource,
primaryjoin='DataSource.id==Annotation.original_data_source_id',
backref=db.backref('annotations', lazy='dynamic'))
#: The annotated :class:`DataSource` data source.
annotated_data_source = db.relationship(
DataSource,
primaryjoin='DataSource.id==Annotation.annotated_data_source_id',
backref=db.backref('annotation', uselist=False, lazy='select'))
def __init__(self, original_data_source, annotated_data_source,
global_frequency=True, sample_frequency=None, group_query=None):
sample_frequency = sample_frequency or []
self.original_data_source = original_data_source
self.annotated_data_source = annotated_data_source
self.global_frequency = global_frequency
self.sample_frequency = sample_frequency
self.group_query = group_query
@detached_session_fix
def __repr__(self):
return '<Annotation task_done=%r, task_uuid=%r>' % (self.task_done,
self.task_uuid)
class Observation(db.Model):
"""
Observation of a variant in a sample (one or more individuals).
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
variation_id = db.Column(db.Integer,
db.ForeignKey('variation.id', ondelete='CASCADE'),
index=True, nullable=False)
#: Reference genome chromosome name.
chromosome = db.Column(db.String(30))
#: Position is one-based, and defines where :attr:`reference` and
#: :attr:`observed` start on the reference genome.
position = db.Column(db.Integer)
# Todo: Should we perhaps also store the end position? Would make it
# easier to query for variants overlapping some position. Perhaps it's
# enough to have a computed index for len(reference)?
#: Reference sequence, can be empty for an insertion.
reference = db.Column(db.String(200))
#: Observed sequence, can be empty for a deletion.
observed = db.Column(db.String(200))
#: Bin index that can be used for faster range-limited querying. See the
#: :mod:`region_binning` module for more information.
#:
#: .. note:: Bin indices are always calculated on non-empty ranges, so for
#: an insertion we (somewhat arbitrarily) choose the first base next
#: to it as its range, although technically it spans only the empty
#: range.
bin = db.Column(db.Integer)
#: Zygosity can be any of the values in :data:`OBSERVATION_ZYGOSITIES`, or
#: `None` (meaning that the exact genotype is unknown, but the variant
#: allele was observed).
zygosity = db.Column(db.Enum(*OBSERVATION_ZYGOSITIES, name='zygosity'))
#: Number of individuals the variant was observed in.
support = db.Column(db.Integer)
#: The :class:`Variation` linking this observation to a :class:`Sample`
#: and a :class:`DataSource`.
variation = db.relationship(Variation,
backref=db.backref('observations',
lazy='dynamic',
cascade='all, delete-orphan',
passive_deletes=True))
def __init__(self, variation, chromosome, position, reference, observed,
zygosity=None, support=1):
self.variation = variation
self.chromosome = chromosome
self.position = position
self.reference = reference
self.observed = observed
# We choose the 'region' of the reference covered by an insertion to
# be the base next to it.
self.bin = assign_bin(self.position,
self.position + max(1, len(self.reference)) - 1)
self.zygosity = zygosity
self.support = support
@detached_session_fix
def __repr__(self):
return '<Observation chromosome=%r, position=%r, reference=%r, ' \
'observed=%r, zygosity=%r, support=%r>' \
% (self.chromosome, self.position, self.reference, self.observed,
self.zygosity, self.support)
def is_deletion(self):
"""
Return `True` iff this observation is a deletion.
"""
return self.observed == ''
def is_insertion(self):
"""
Return `True` iff this observation is an insertion.
"""
return self.reference == ''
def is_snv(self):
"""
Return `True` iff this observation is a single nucleotide variant.
"""
return len(self.observed) == len(self.reference) == 1
def is_indel(self):
"""
Return `True` iff this observation is neither a deletion, insertion,
or single nucleotide variant.
"""
return not (self.is_deletion() or
self.is_insertion() or
self.is_snv())
Index('observation_location',
Observation.bin, Observation.chromosome, Observation.position)
class Region(db.Model):
"""
Covered region for variant calling in a sample (one or more individuals).
"""
__table_args__ = {'mysql_engine': 'InnoDB', 'mysql_charset': 'utf8'}
id = db.Column(db.Integer, primary_key=True)
coverage_id = db.Column(db.Integer,
db.ForeignKey('coverage.id', ondelete='CASCADE'),
index=True, nullable=False)
#: Reference genome chromosome name.
chromosome = db.Column(db.String(30))
#: Begin of the region, one-based and inclusive.
begin = db.Column(db.Integer)
#: End of the region, one-based and inclusive.
end = db.Column(db.Integer)
#: Bin index that can be used for faster range-limited querying. See the
#: :mod:`region_binning` module for more information.
bin = db.Column(db.Integer)
# Todo: Perhaps we might want to have a `support` column here similar to
# the Observation model? It only makes sense if we accept BED files
# with a `support` integer for each region.
#: The :class:`Coverage` linking this observation to a :class:`Sample` and
#: a :class:`DataSource`.
coverage = db.relationship(Coverage,
backref=db.backref('regions', lazy='dynamic',
cascade='all, delete-orphan',
passive_deletes=True))
def __init__(self, coverage, chromosome, begin, end):
self.coverage = coverage
self.chromosome = chromosome
self.begin = begin
self.end = end
self.bin = assign_bin(self.begin, self.end)
@detached_session_fix
def __repr__(self):
return '<Region chromosome=%r, begin=%r, end=%r>' \
% (self.chromosome, self.begin, self.end)
Index('region_location',
Region.bin, Region.chromosome, Region.begin)
|
Apply your passion for Psychology to answering the Big Questions of our time by studying it in combination with Global Sustainable Development (GSD).
Why do people think, behave, and understand themselves in certain ways? Why does this vary between individuals and across cultures? How might a more complete understanding of human behaviour help to achieve a more sustainable future for all? A BASc in Psychology and Global Sustainable Development challenges you to ask these questions across both sides of your degree programme. You will study biological, developmental, and social aspects of human psychology with Warwick's Psychology Department. Meanwhile, you will balance your studies with the Global Sustainable Development Department by delving into the Big Questions of today, including food and water security, gender equality, and climate change. You’ll consider these issues from many different perspectives, understand their complexity and learn to use a variety of approaches to think creatively about potential solutions. Throughout, you will be researching the relationship between individual behaviour and the global challenges we all face.
We expect you to become an active participant in your own learning and we will help you to develop professional skills through certificates you’ll complete as part of the course. You’ll also have the opportunity to spend part of your second year studying abroad at our partner institution in Monash, Australia – home to the world-leading Sustainable Development Institute.
Year 1: 120 CATS in total of which 60 are comprised of core GSD modules and 60 credits are optional core modules offered by the Psychology Department. There is the opportunity to take Certificate of Digital Literacy.
Year 2: For the GSD half, 60 credits of GSD modules comprised of one 30 CAT optional core (Food Systems, Security and Sovereignty or Bodies, Health and Sustainable Development) plus further module(s) totalling 30 CATS selected from the range of modules available across the University (including from within the Global Sustainable Development Department) which have a global sustainable development focus. You will also take 60 credits of options from the Psychology Department. There is the ppportunity to take the Certificate of Coaching Practice, Certificate of Professional Communication (alongside a work placement) and Certificate of Sustainability Auditing.
If you opt to travel abroad to study at Monash University for part of the year you take one of two optional GSD core modules in the first term whilst at Warwick together with further relevant second year modules from within or outside of the School totalling 15 CATS. You will also take 30 CATS of optional Psychology modules. Whilst abroad, you are required to study relevant approved modules equating to 60 credits selected from those offered by the partner institution.
Final Year: Core GSD module 'Dissertation' (30 CATS) plus further relevant modules from within or outside of the School totalling 30 CATS. You are also required to take optional modules worth 60 CATS in total from the Psychology Department.
In the first year, two of the GSD core modules have an exam worth 40%. The remaining 60% of these modules and the other core GSD modules are assessed by methods other than formal examination. In the second year GSD optional cores and options do not have traditional examinations. The final year core GSD module is a Dissertation/Long Project and so is assessed via 'coursework'. The overall percentage of the course that is assessed by coursework depends upon the options taken.
There is an option to spend part of the second year abroad studying at Monash University in Melbourne, Australia. You may be based at either the University’s Melbourne campus or at its campus in Malaysia.
You will spend the first term of your second year studying at Warwick and will travel to Australia in February to join Monash for the start of its second semester (which spans Warwick’s second and third terms). This arrangement is the integrated terms abroad variant of the course.
During your time abroad you will study approved modules/units and will undertake assessments. The credit gained from this study is used to contribute towards your final degree classification awarded by Warwick. You may also choose to spend a year studying or working abroad (e.g. as part of the ERASMUS scheme).
This module introduces the biological and methodological basis of current approaches to sensory processing, reflexive and skilled action, emotion, language, learning, memory, and psychological disorders. The emphasis throughout the module is on showcasing the way in which behavioural and neuroscientific approaches and techniques are converging in modern investigations of mental phenomena.
This module is about the context of psychology and the psychology of individuals as they relate to others. It looks at psychology’s conceptual foundations and examines cognitive and social development as well as how we deal with the wealth of information about us by looking at the role of memory in cognition.
This module presents a collection of new and exciting developments in psychology. Each contributor to the module is an expert in the field they choose to present, and will give you a ‘snapshot’ of the topic for that session. Examples of recent issues explored are eyewitness testimony, social influence, mindfulness and consumerism and mental health.
"The range of skills you learn are so varied and rich."
"Warwick has a fabulous vibe and I loved it from the moment I arrived. My Psychology course was diverse in terms of lectures, the topics covered and the breadth of students studying on it. It was in-depth and rigorous but never dry.
My original plan was to go down the route of Clinical Psychology but in the second year of my undergraduate I began to think about other options. I initially took on a graduate role at Anderson Consulting but realised my passion remained with Psychology so I returned to university to complete an MSc, and become both a Chartered Psychologist and an Associate Fellow of the British Psychology Society."
"I thought about my career as soon as I started my degree."
"I was the first member of my family to access Higher Education so decided to choose Warwick as my destination of study mainly due to its global reputation.
Being a research-led university, we were able to study modules based around what the academics were researching at the time, which made the course unique.
During my psychology course, I had the opportunity to study areas of research that were very different to what other universities were offering which I really enjoyed. My degree helped my understanding of people and I use this theory to inform my work every day as a graduate management trainee at the University of Birmingham."
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
__author__ = "Raul Perula-Martinez"
__email__ = "[email protected]"
__date__ = "2014-11"
__license__ = "GPL v3"
__version__ = "1.0.0"
# File: ayuda_ui.py
"""
Arquitectura de referencia en commonKads.
Modelo de la Aplicacion.
Este modulo contiene la interfaz de la ventana de ayuda de la aplicacion
y la gestion de eventos de la misma.
"""
__author__ = "Manuel Pedrero Luque <[email protected]>"
__author__ = "Raul Perula Martinez <[email protected]>"
__author__ = "Miguel Angel Sanchez Muñoz <[email protected]>"
__date__ = "01 de julio 2010"
__version__ = "$ Revision: 1 $"
__credits__ = """Universidad de Cordoba"""
import sys
from PyQt4 import QtCore, QtGui
from PyQt4.QtGui import *
from ayuda import Ui_ayuda_form
# Clase de la ventana Acerca de, gestiona los eventos de la interfaz
class AyudaWidget(QtGui.QWidget):
def __init__(self, parent=None):
'''Muestra la ventana con el visor de la ayuda
@return: Nada
'''
QtGui.QWidget.__init__(self, parent)
self.ui = Ui_ayuda_form()
self.ui.setupUi(self)
# Recargamos la pagina de la ayuda
self.ui.ayuda_textBrowser.reload();
# Gestion de eventos
# Si se pulsa el boton aceptar, se cierra la ventana
|
The Library of Congress > Chronicling America > The Washington recorder.
Vol. 1, no. 1 (May 13, 1902)-v. 1, no. 205 (Jan. 10, 1903).
|
# coding=utf-8
"""Test cases for Zinnia's admin widgets"""
from django.test import TestCase
from django.utils.encoding import smart_text
from zinnia.admin.widgets import MPTTFilteredSelectMultiple
class MPTTFilteredSelectMultipleTestCase(TestCase):
def test_render_option(self):
widget = MPTTFilteredSelectMultiple('test', False)
option = widget.render_option([], 1, 'Test', (4, 5))
self.assertEqual(
option,
'<option value="1" data-tree-id="4"'
' data-left-value="5">Test</option>')
option = widget.render_option(['0', '1', '2'], 1, 'Test', (4, 5))
self.assertEqual(
option,
'<option value="1" selected="selected" data-tree-id="4"'
' data-left-value="5">Test</option>')
def test_render_option_non_ascii_issue_317(self):
widget = MPTTFilteredSelectMultiple('test', False)
option = widget.render_option([], 1, 'тест', (1, 1))
self.assertEqual(
option,
smart_text('<option value="1" data-tree-id="1"'
' data-left-value="1">тест</option>'))
def test_render_options(self):
widget = MPTTFilteredSelectMultiple('test', False)
self.assertEqual(widget.render_options([], []), '')
options = widget.render_options([
(1, 'Category 1', (1, 1)),
(2, '|-- Category 2', (1, 2))], [])
self.assertEqual(
options,
'<option value="1" data-tree-id="1" data-left-value="1">'
'Category 1</option>\n<option value="2" data-tree-id="1" '
'data-left-value="2">|-- Category 2</option>')
options = widget.render_options([
(1, 'Category 1', (1, 1)),
(2, '|-- Category 2', (1, 2))], [2])
self.assertEqual(
options,
'<option value="1" data-tree-id="1" data-left-value="1">'
'Category 1</option>\n<option value="2" selected="selected" '
'data-tree-id="1" data-left-value="2">|-- Category 2</option>')
|
Charming White Outdoor Rug 10 Easy Pieces Graphic Outdoor Rugs Gardenista – The picture above is an inspiration in choosing a Outdoor Rugs for your home. You can choose the color and design that match the interior of your house. You don’t need to be a professional interior designer to decorate your home the way you like, but ideas about White Outdoor Rug below may be helpful.
Remarkable White Outdoor Rug Dash Albert Diamond Platinumwhite Indooroutdoor Rug Dash. Stylish White Outdoor Rug Recife Checkered Field Grey White Outdoor Rug Dfohome. Interesting White Outdoor Rug White Outdoor Rug Roselawnlutheran. Inspiring White Outdoor Rug Bunny Williams Cleo Blue White Graphic Indooroutdoor Area Rug. Wonderful White Outdoor Rug Dash Albert Rug Company Dash And Albert Diamond Platinum And. Magnificent White Outdoor Rug Modern Outdoor Rugs Allmodern.
|
import json
from django.http import HttpResponse
from django.shortcuts import get_object_or_404, render
from product_details import product_details
from kitsune.products.models import Product, Topic
from kitsune.wiki.decorators import check_simple_wiki_locale
from kitsune.wiki.facets import documents_for, topics_for
from kitsune.wiki.utils import get_featured_articles
@check_simple_wiki_locale
def product_list(request):
"""The product picker page."""
template = "products/products.html"
products = Product.objects.filter(visible=True)
return render(request, template, {"products": products})
@check_simple_wiki_locale
def product_landing(request, slug):
"""The product landing page."""
product = get_object_or_404(Product, slug=slug)
user = request.user
template = "products/product.html"
if request.is_ajax():
# Return a list of topics/subtopics for the product
topic_list = list()
for t in Topic.objects.filter(product=product, visible=True):
topic_list.append({"id": t.id, "title": t.title})
return HttpResponse(json.dumps({"topics": topic_list}), content_type="application/json")
if slug == "firefox":
latest_version = product_details.firefox_versions["LATEST_FIREFOX_VERSION"]
else:
versions = product.versions.filter(default=True)
if versions:
latest_version = versions[0].min_version
else:
latest_version = 0
return render(
request,
template,
{
"product": product,
"products": Product.objects.filter(visible=True),
"topics": topics_for(product=product, parent=None),
"search_params": {"product": slug},
"latest_version": latest_version,
"subscribed_products_ids": (
user.profile.products.all().values_list("id", flat=True)
if user.is_authenticated
else []
),
"featured": get_featured_articles(product, locale=request.LANGUAGE_CODE),
},
)
@check_simple_wiki_locale
def document_listing(request, product_slug, topic_slug, subtopic_slug=None):
"""The document listing page for a product + topic."""
product = get_object_or_404(Product, slug=product_slug)
topic = get_object_or_404(Topic, slug=topic_slug, product=product, parent__isnull=True)
template = "products/documents.html"
doc_kw = {"locale": request.LANGUAGE_CODE, "products": [product]}
if subtopic_slug is not None:
subtopic = get_object_or_404(Topic, slug=subtopic_slug, product=product, parent=topic)
doc_kw["topics"] = [subtopic]
else:
subtopic = None
doc_kw["topics"] = [topic]
documents, fallback_documents = documents_for(**doc_kw)
return render(
request,
template,
{
"product": product,
"topic": topic,
"subtopic": subtopic,
"topics": topics_for(product=product, parent=None),
"subtopics": topics_for(product=product, parent=topic),
"documents": documents,
"fallback_documents": fallback_documents,
"search_params": {"product": product_slug},
},
)
|
Jan Walters, Author 4.67 out of 5 based on 3 ratings. 3 user reviews.
The plot is a surprising blend of a modern whodunit cop story and a fantastical, paranormal thriller!
Walters adds to her fluid storyline by alternating a nice mix of clichéd and unexpected scenes punctuated with good-versus-evil spiritual themes. There is so much going on in Walters' narrative, but additional information will only make for spoilers.
York Street - A Ghost and a Cop Series "The story left me ready for more adventures with all the characters. I look forward to the next book from this author."
"How am I going to get out of this mess?"
Events go from bad to worse for Detective Brett O'Shea when Lisa Winslow, the love of his life, leaves for St. Louis to check out a job offer, and his new case involves a string of women murdered by a supposed vampire running loose in Des Moines. Dragos Eldridge meets Brett and his childhood friend Candy on Halloween night. Candy and Dragos hit it off immediately. One thing leads to the next and Brett learns that Dragos is not your ordinary vampire. In fact, he wants to help Brett and Michael O'Shea, the ghost of Brett's great-grandfather, find the vampire who is responsible for his altered form and the murdered women. What could possibly go wrong with a detective, a ghost, and a vampire on the case? More than they anticipate, especially when Candy gets involved.
Walters' latest tale takes readers on a quirky detective adventure into the paranormal. The second book in the A Ghost and A Cop series, Walters' plot is once again brimming with a colorful cast. As with her first book, York Street, Walters' style of noir is a unique blend of mystery and thriller peppered with just the right amount of comedy and romance. Equally important are her choice of characters and the way she adds human qualities to her protagonists, antagonists, and a flurry of foils. Combining her one-of-a-kind writing style with detailed character development creates an engaging and riveting storyline. Walters also makes sure to keep her narrative flowing by alternating character scenes and closing chapters with cliffhangers. Red Sunset Drive is action-packed and filled with unexpected everything—a perfect read for mystery and paranormal enthusiasts.
The situation in this particular novel is a doozy - vampires in Des Moines. Yes, not satisfied with the gothic atmosphere of New Orleans, the foggy mists of London, or the sinister Carpathian Mountains, the evil night creatures have turned up in flyover country, right in the heart of Iowa. If you can buy that premise, you're in for a wild ride.
Walters makes sure her hero, Detective Brett O'Shea, is ably assisted in his quest to rid the city of the bloodsucking vermin by engaging a coterie of characters - some of whom were in the previous adventure and some who were not. There's his lover, Lisa, a TV reporter who's weighing her feelings for Brett against a concern for her career. There's his coffee-swilling boss, Police Chief Anders, who knows that Brett attracts trouble like carcasses attract vultures. There's his immediate superior, Foster, a stern, but fair fellow. There's a new cop Brett's breaking in, Randall, a loudmouth with a lot to learn. And there's Dragos, an English gentleman from the early 19th century who has been transported to contemporary Iowa along with the other malignant spirits. That's right. Dragos is a vampire too. But he turns out to be one of the good guys.
The aforementioned vampire hunters join forces to find the evil Victor, nastiest bloodsucker of them all and leader of a band of ravenous villains. The plot is festooned with twists and turns but it all boils down to finding the monsters and doing away with them. Walters does a good job of adding interest by weaving various subplots that highlight the supporting characters' motivations and idiosyncrasies. Her prose is conversational and she keeps the story moving along at a swift yet comprehensible pace.
Will the good guys win in the end? Will America's heartland be cleansed of these unholy interlopers? Will Brett and Lisa stay together? If you're a fan of The Twilight Saga, The Vampire Chronicles, or even TV reruns of Castle, you'll likely enjoy this ride down Red Sunset Drive.
Walters' plot is replete with a colorful cast, a combination of foils, and a tight handful of antagonists- all designed for the purpose of developing her main character, Brett O'Shea. Unique to Walters' third person narrative is the way she weaves in comedy and a bit of romance in the midst of a dark plot. Walters' does a stellar job of balancing heavier plot elements with plenty of light bantering and hilarious scenes.
"The author's writing propels the reader forward in a gripping tale from start to finish. Although Ann and Patrick's story is at the forefront, other characters such as Malcolm, the stepbrother of Victoria whom Ann has mysteriously replaced, are equally interesting. Readers who are not bothered by the sexual explicitness of modern romance writing and who enjoy a historical setting combined with a touch of fantasy should find Walters' book well worth reading.
York Street - A Ghost and a Cop Series "Jan Walters has written a detective novel which captures the nuances of a young police officer's approach of the investigation of a serious crime."
and decide if she wants to remain in the past to have a future.
as well as provided a catalyst to advance the romance between Ann and Patrick.
and will appeal to traditionalists of the romance genre.
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.